From 3782eddc4d5a7ff719f9e8b5bb06ec612bbd5dc2 Mon Sep 17 00:00:00 2001 From: linsui <2873532-linsui@users.noreply.gitlab.com> Date: Wed, 7 Aug 2024 13:00:19 +0800 Subject: [PATCH 1/6] Add ruff rule --- pyproject.toml | 3 +++ 1 file changed, 3 insertions(+) diff --git a/pyproject.toml b/pyproject.toml index 92f5b8f3..805176d2 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -141,3 +141,6 @@ max-nested-blocks = 5 [tool.pylint.format] # Maximum number of characters on a single line. max-line-length = 88 + +[tool.ruff.format] +quote-style = "preserve" From c3644464ff92df7fb4491a84a7f6607c87fbd549 Mon Sep 17 00:00:00 2001 From: linsui <2873532-linsui@users.noreply.gitlab.com> Date: Wed, 7 Aug 2024 13:00:26 +0800 Subject: [PATCH 2/6] scanner.py: format --- fdroidserver/scanner.py | 334 ++++++++++++++++++++++++++-------------- 1 file changed, 215 insertions(+), 119 deletions(-) diff --git a/fdroidserver/scanner.py b/fdroidserver/scanner.py index bc6e579d..ce09499b 100644 --- a/fdroidserver/scanner.py +++ b/fdroidserver/scanner.py @@ -16,29 +16,26 @@ # You should have received a copy of the GNU Affero General Public License # along with this program. If not, see . +import imghdr +import itertools +import json +import logging import os import re import sys -import json -import imghdr -import logging -import zipfile -import itertools import traceback import urllib.parse import urllib.request +import zipfile from argparse import ArgumentParser -from tempfile import TemporaryDirectory -from pathlib import Path -from datetime import datetime, timedelta from dataclasses import dataclass, field, fields +from datetime import datetime, timedelta from enum import IntEnum +from pathlib import Path +from tempfile import TemporaryDirectory -from . import _ -from . import common -from . import metadata -from .exception import BuildException, VCSException, ConfigurationException -from . import scanner +from . import _, common, metadata, scanner +from .exception import BuildException, ConfigurationException, VCSException @dataclass @@ -48,8 +45,10 @@ class MessageStore: errors: list = field(default_factory=list) -MAVEN_URL_REGEX = re.compile(r"""\smaven\s*(?:{.*?(?:setUrl|url)|\(\s*(?:url)?)\s*=?\s*(?:uri|URI|Uri\.create)?\(?\s*["']?([^\s"']+)["']?[^})]*[)}]""", - re.DOTALL) +MAVEN_URL_REGEX = re.compile( + r"""\smaven\s*(?:{.*?(?:setUrl|url)|\(\s*(?:url)?)\s*=?\s*(?:uri|URI|Uri\.create)?\(?\s*["']?([^\s"']+)["']?[^})]*[)}]""", + re.DOTALL, +) SCANNER_CACHE_VERSION = 1 @@ -60,21 +59,25 @@ class ExitCode(IntEnum): def get_gradle_compile_commands(build): - compileCommands = ['api', - 'apk', - 'classpath', - 'compile', - 'compileOnly', - 'id', - 'implementation', - 'provided', - 'runtimeOnly'] + compileCommands = [ + 'api', + 'apk', + 'classpath', + 'compile', + 'compileOnly', + 'id', + 'implementation', + 'provided', + 'runtimeOnly', + ] buildTypes = ['', 'release'] flavors = [''] if build.gradle and build.gradle != ['yes']: flavors += build.gradle - commands = [''.join(c) for c in itertools.product(flavors, buildTypes, compileCommands)] + commands = [ + ''.join(c) for c in itertools.product(flavors, buildTypes, compileCommands) + ] return [re.compile(r'\s*' + c, re.IGNORECASE) for c in commands] @@ -115,7 +118,9 @@ def get_embedded_classes(apkfile, depth=0): ["dexdump", '{}/{}'.format(tmp_dir, info.filename)], output=False, ) - classes = classes.union(set(re.findall(r'[A-Z]+((?:\w+\/)+\w+)', run.output))) + classes = classes.union( + set(re.findall(r'[A-Z]+((?:\w+\/)+\w+)', run.output)) + ) except zipfile.BadZipFile as ex: return {_('Problem with ZIP file: %s, error %s') % (apkfile, ex)} @@ -191,9 +196,11 @@ class SignatureDataController: raise SignatureDataMalformedException() from e delta = (last_updated + self.cache_duration) - scanner._datetime_now() if delta > timedelta(seconds=0): - logging.debug(_('next {name} cache update due in {time}').format( - name=self.filename, time=delta - )) + logging.debug( + _('next {name} cache update due in {time}').format( + name=self.filename, time=delta + ) + ) else: raise SignatureDataOutdatedException() @@ -202,7 +209,9 @@ class SignatureDataController: self.fetch_signatures_from_web() self.write_to_cache() except Exception as e: - raise Exception(_("downloading scanner signatures from '{}' failed").format(self.url)) from e + raise Exception( + _("downloading scanner signatures from '{}' failed").format(self.url) + ) from e def load(self): try: @@ -215,10 +224,17 @@ class SignatureDataController: except (SignatureDataOutdatedException, SignatureDataNoDefaultsException): self.fetch_signatures_from_web() self.write_to_cache() - except (SignatureDataMalformedException, SignatureDataVersionMismatchException) as e: - logging.critical(_("scanner cache is malformed! You can clear it with: '{clear}'").format( - clear='rm -r {}'.format(common.get_config()['cachedir_scanner']) - )) + except ( + SignatureDataMalformedException, + SignatureDataVersionMismatchException, + ) as e: + logging.critical( + _( + "scanner cache is malformed! You can clear it with: '{clear}'" + ).format( + clear='rm -r {}'.format(common.get_config()['cachedir_scanner']) + ) + ) raise e def load_from_defaults(self): @@ -244,7 +260,13 @@ class SignatureDataController: Right now this function does just a basic key sanitation. """ self.check_data_version() - valid_keys = ['timestamp', 'last_updated', 'version', 'signatures', 'cache_duration'] + valid_keys = [ + 'timestamp', + 'last_updated', + 'version', + 'signatures', + 'cache_duration', + ] for k in list(self.data.keys()): if k not in valid_keys: @@ -266,7 +288,11 @@ class SignatureDataController: class ExodusSignatureDataController(SignatureDataController): def __init__(self): - super().__init__('Exodus signatures', 'exodus.json', 'https://reports.exodus-privacy.eu.org/api/trackers') + super().__init__( + 'Exodus signatures', + 'exodus.json', + 'https://reports.exodus-privacy.eu.org/api/trackers', + ) self.cache_duration = timedelta(days=1) # refresh exodus cache after one day self.has_trackers_json_key = True @@ -294,11 +320,11 @@ class ExodusSignatureDataController(SignatureDataController): # exodus also provides network signatures, unused atm. # "network_signatures": [tracker["network_signature"]], "AntiFeatures": ["Tracking"], # TODO - "license": "NonFree" # We assume all trackers in exodus - # are non-free, although free - # trackers like piwik, acra, - # etc. might be listed by exodus - # too. + "license": "NonFree", # We assume all trackers in exodus + # are non-free, although free + # trackers like piwik, acra, + # etc. might be listed by exodus + # too. } self.set_data(data) @@ -315,9 +341,7 @@ class EtipSignatureDataController(ExodusSignatureDataController): class SUSSDataController(SignatureDataController): def __init__(self): super().__init__( - 'SUSS', - 'suss.json', - 'https://fdroid.gitlab.io/fdroid-suss/suss.json' + 'SUSS', 'suss.json', 'https://fdroid.gitlab.io/fdroid-suss/suss.json' ) def load_from_defaults(self): @@ -332,7 +356,9 @@ class ScannerTool: self.scanner_data_lookup() options = common.get_options() - options_refresh_scanner = hasattr(options, "refresh_scanner") and options.refresh_scanner + options_refresh_scanner = ( + hasattr(options, "refresh_scanner") and options.refresh_scanner + ) if options_refresh_scanner or common.get_config().get('refresh_scanner'): self.refresh() @@ -342,8 +368,9 @@ class ScannerTool: def scanner_data_lookup(self): sigsources = common.get_config().get('scanner_signature_sources', []) logging.debug( - "scanner is configured to use signature data from: '{}'" - .format("', '".join(sigsources)) + "scanner is configured to use signature data from: '{}'".format( + "', '".join(sigsources) + ) ) self.sdcs = [] for i, source_url in enumerate(sigsources): @@ -361,11 +388,13 @@ class ScannerTool: "Has to be a valid HTTPS-URL or match a predefined " "constants: 'suss', 'exodus'".format(source_url) ) - self.sdcs.append(SignatureDataController( - source_url, - '{}_{}'.format(i, os.path.basename(u.path)), - source_url, - )) + self.sdcs.append( + SignatureDataController( + source_url, + '{}_{}'.format(i, os.path.basename(u.path)), + source_url, + ) + ) def load(self): for sdc in self.sdcs: @@ -381,13 +410,21 @@ class ScannerTool: for sdc in self.sdcs: for signame, sigdef in sdc.data.get('signatures', {}).items(): for sig in sigdef.get('code_signatures', []): - self.regexs['err_code_signatures'][sig] = re.compile('.*' + sig, re.IGNORECASE) + self.regexs['err_code_signatures'][sig] = re.compile( + '.*' + sig, re.IGNORECASE + ) for sig in sigdef.get('gradle_signatures', []): - self.regexs['err_gradle_signatures'][sig] = re.compile('.*' + sig, re.IGNORECASE) + self.regexs['err_gradle_signatures'][sig] = re.compile( + '.*' + sig, re.IGNORECASE + ) for sig in sigdef.get('warn_code_signatures', []): - self.regexs['warn_code_signatures'][sig] = re.compile('.*' + sig, re.IGNORECASE) + self.regexs['warn_code_signatures'][sig] = re.compile( + '.*' + sig, re.IGNORECASE + ) for sig in sigdef.get('warn_gradle_signatures', []): - self.regexs['warn_gradle_signatures'][sig] = re.compile('.*' + sig, re.IGNORECASE) + self.regexs['warn_gradle_signatures'][sig] = re.compile( + '.*' + sig, re.IGNORECASE + ) def refresh(self): for sdc in self.sdcs: @@ -430,9 +467,17 @@ def scan_binary(apkfile): logging.debug("Problem: found class '%s'" % classname) problems += 1 if warnings: - logging.warning(_("Found {count} warnings in {filename}").format(count=warnings, filename=apkfile)) + logging.warning( + _("Found {count} warnings in {filename}").format( + count=warnings, filename=apkfile + ) + ) if problems: - logging.critical(_("Found {count} problems in {filename}").format(count=problems, filename=apkfile)) + logging.critical( + _("Found {count} problems in {filename}").format( + count=problems, filename=apkfile + ) + ) return problems @@ -453,31 +498,38 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): if r.match(s): yield n - allowed_repos = [re.compile(r'^https://' + re.escape(repo) + r'/*') for repo in [ - 'repo1.maven.org/maven2', # mavenCentral() - 'jcenter.bintray.com', # jcenter() - 'jitpack.io', - 'www.jitpack.io', - 'repo.maven.apache.org/maven2', - 'oss.jfrog.org/artifactory/oss-snapshot-local', - 'oss.sonatype.org/content/repositories/snapshots', - 'oss.sonatype.org/content/repositories/releases', - 'oss.sonatype.org/content/groups/public', - 'oss.sonatype.org/service/local/staging/deploy/maven2', - 's01.oss.sonatype.org/content/repositories/snapshots', - 's01.oss.sonatype.org/content/repositories/releases', - 's01.oss.sonatype.org/content/groups/public', - 's01.oss.sonatype.org/service/local/staging/deploy/maven2', - 'clojars.org/repo', # Clojure free software libs - 'repo.clojars.org', # Clojure free software libs - 's3.amazonaws.com/repo.commonsware.com', # CommonsWare - 'plugins.gradle.org/m2', # Gradle plugin repo - 'maven.google.com', # Google Maven Repo, https://developer.android.com/studio/build/dependencies.html#google-maven + allowed_repos = ( + [ + re.compile(r'^https://' + re.escape(repo) + r'/*') + for repo in [ + 'repo1.maven.org/maven2', # mavenCentral() + 'jcenter.bintray.com', # jcenter() + 'jitpack.io', + 'www.jitpack.io', + 'repo.maven.apache.org/maven2', + 'oss.jfrog.org/artifactory/oss-snapshot-local', + 'oss.sonatype.org/content/repositories/snapshots', + 'oss.sonatype.org/content/repositories/releases', + 'oss.sonatype.org/content/groups/public', + 'oss.sonatype.org/service/local/staging/deploy/maven2', + 's01.oss.sonatype.org/content/repositories/snapshots', + 's01.oss.sonatype.org/content/repositories/releases', + 's01.oss.sonatype.org/content/groups/public', + 's01.oss.sonatype.org/service/local/staging/deploy/maven2', + 'clojars.org/repo', # Clojure free software libs + 'repo.clojars.org', # Clojure free software libs + 's3.amazonaws.com/repo.commonsware.com', # CommonsWare + 'plugins.gradle.org/m2', # Gradle plugin repo + 'maven.google.com', # Google Maven Repo, https://developer.android.com/studio/build/dependencies.html#google-maven + ] ] - ] + [re.compile(r'^file://' + re.escape(repo) + r'/*') for repo in [ - '/usr/share/maven-repo', # local repo on Debian installs + + [ + re.compile(r'^file://' + re.escape(repo) + r'/*') + for repo in [ + '/usr/share/maven-repo', # local repo on Debian installs + ] ] - ] + ) scanignore = common.getpaths_map(build_dir, build.scanignore) scandelete = common.getpaths_map(build_dir, build.scandelete) @@ -515,7 +567,7 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): ------- 0 as we explicitly ignore the file, so don't count an error """ - msg = ('Ignoring %s at %s' % (what, path_in_build_dir)) + msg = 'Ignoring %s at %s' % (what, path_in_build_dir) logging.info(msg) if json_per_build is not None: json_per_build.infos.append([msg, path_in_build_dir]) @@ -537,7 +589,7 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): ------- 0 as we deleted the offending file """ - msg = ('Removing %s at %s' % (what, path_in_build_dir)) + msg = 'Removing %s at %s' % (what, path_in_build_dir) logging.info(msg) if json_per_build is not None: json_per_build.infos.append([msg, path_in_build_dir]) @@ -598,14 +650,16 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): return warnproblem(what, path_in_build_dir, json_per_build) if options and 'json' in vars(options) and options.json: json_per_build.errors.append([what, path_in_build_dir]) - if options and (options.verbose or not ('json' in vars(options) and options.json)): + if options and ( + options.verbose or not ('json' in vars(options) and options.json) + ): logging.error('Found %s at %s' % (what, path_in_build_dir)) return 1 def is_executable(path): return os.path.exists(path) and os.access(path, os.X_OK) - textchars = bytearray({7, 8, 9, 10, 12, 13, 27} | set(range(0x20, 0x100)) - {0x7f}) + textchars = bytearray({7, 8, 9, 10, 12, 13, 27} | set(range(0x20, 0x100)) - {0x7F}) def is_binary(path): d = None @@ -614,9 +668,11 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): return bool(d.translate(None, textchars)) # False positives patterns for files that are binary and executable. - safe_paths = [re.compile(r) for r in [ - r".*/drawable[^/]*/.*\.png$", # png drawables - r".*/mipmap[^/]*/.*\.png$", # png mipmaps + safe_paths = [ + re.compile(r) + for r in [ + r".*/drawable[^/]*/.*\.png$", # png drawables + r".*/mipmap[^/]*/.*\.png$", # png mipmaps ] ] @@ -637,14 +693,12 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): # Iterate through all files in the source code for root, dirs, files in os.walk(build_dir, topdown=True): - # It's topdown, so checking the basename is enough for ignoredir in ('.hg', '.git', '.svn', '.bzr'): if ignoredir in dirs: dirs.remove(ignoredir) for curfile in files: - if curfile in ['.DS_Store']: continue @@ -733,13 +787,17 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): if is_used_by_gradle(line): for name in suspects_found(line): count += handleproblem( - "usual suspect \'%s\'" % (name), + "usual suspect '%s'" % (name), path_in_build_dir, filepath, json_per_build, ) - noncomment_lines = [line for line in lines if not common.gradle_comment.match(line)] - no_comments = re.sub(r'/\*.*?\*/', '', ''.join(noncomment_lines), flags=re.DOTALL) + noncomment_lines = [ + line for line in lines if not common.gradle_comment.match(line) + ] + no_comments = re.sub( + r'/\*.*?\*/', '', ''.join(noncomment_lines), flags=re.DOTALL + ) for url in MAVEN_URL_REGEX.findall(no_comments): if not any(r.match(url) for r in allowed_repos): count += handleproblem( @@ -756,7 +814,9 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): ) elif is_executable(filepath): - if is_binary(filepath) and not (safe_path(path_in_build_dir) or is_image_file(filepath)): + if is_binary(filepath) and not ( + safe_path(path_in_build_dir) or is_image_file(filepath) + ): warnproblem( _('executable binary, possibly code'), path_in_build_dir, @@ -781,15 +841,36 @@ def main(): usage="%(prog)s [options] [(APPID[:VERCODE] | path/to.apk) ...]" ) common.setup_global_opts(parser) - parser.add_argument("appid", nargs='*', help=_("application ID with optional versionCode in the form APPID[:VERCODE]")) - parser.add_argument("-f", "--force", action="store_true", default=False, - help=_("Force scan of disabled apps and builds.")) - parser.add_argument("--json", action="store_true", default=False, - help=_("Output JSON to stdout.")) - parser.add_argument("-r", "--refresh", dest="refresh_scanner", action="store_true", default=False, - help=_("fetch the latest version of signatures from the web")) - parser.add_argument("-e", "--exit-code", action="store_true", default=False, - help=_("Exit with a non-zero code if problems were found")) + parser.add_argument( + "appid", + nargs='*', + help=_("application ID with optional versionCode in the form APPID[:VERCODE]"), + ) + parser.add_argument( + "-f", + "--force", + action="store_true", + default=False, + help=_("Force scan of disabled apps and builds."), + ) + parser.add_argument( + "--json", action="store_true", default=False, help=_("Output JSON to stdout.") + ) + parser.add_argument( + "-r", + "--refresh", + dest="refresh_scanner", + action="store_true", + default=False, + help=_("fetch the latest version of signatures from the web"), + ) + parser.add_argument( + "-e", + "--exit-code", + action="store_true", + default=False, + help=_("Exit with a non-zero code if problems were found"), + ) metadata.add_metadata_arguments(parser) options = common.parse_args(parser) metadata.warnings_action = options.W @@ -840,7 +921,6 @@ def main(): extlib_dir = os.path.join(build_dir, 'extlib') for appid, app in apps.items(): - json_per_appid = dict() if app.Disabled and not options.force: @@ -861,14 +941,20 @@ def main(): # Set up vcs interface and make sure we have the latest code... vcs = common.getvcs(app.RepoType, app.Repo, build_dir) else: - logging.info(_("{appid}: no builds specified, running on current source state") - .format(appid=appid)) + logging.info( + _( + "{appid}: no builds specified, running on current source state" + ).format(appid=appid) + ) json_per_build = MessageStore() json_per_appid['current-source-state'] = json_per_build count = scan_source(build_dir, json_per_build=json_per_build) if count > 0: - logging.warning(_('Scanner found {count} problems in {appid}:') - .format(count=count, appid=appid)) + logging.warning( + _('Scanner found {count} problems in {appid}:').format( + count=count, appid=appid + ) + ) probcount += count app['Builds'] = [] @@ -877,32 +963,42 @@ def main(): json_per_appid[build.versionCode] = json_per_build if build.disable and not options.force: - logging.info("...skipping version %s - %s" % ( - build.versionName, build.get('disable', build.commit[1:]))) + logging.info( + "...skipping version %s - %s" + % (build.versionName, build.get('disable', build.commit[1:])) + ) continue logging.info("...scanning version " + build.versionName) # Prepare the source code... - common.prepare_source(vcs, app, build, - build_dir, srclib_dir, - extlib_dir, False) + common.prepare_source( + vcs, app, build, build_dir, srclib_dir, extlib_dir, False + ) count = scan_source(build_dir, build, json_per_build=json_per_build) if count > 0: - logging.warning(_('Scanner found {count} problems in {appid}:{versionCode}:') - .format(count=count, appid=appid, versionCode=build.versionCode)) + logging.warning( + _( + 'Scanner found {count} problems in {appid}:{versionCode}:' + ).format( + count=count, appid=appid, versionCode=build.versionCode + ) + ) probcount += count except BuildException as be: - logging.warning('Could not scan app %s due to BuildException: %s' % ( - appid, be)) + logging.warning( + 'Could not scan app %s due to BuildException: %s' % (appid, be) + ) probcount += 1 except VCSException as vcse: logging.warning('VCS error while scanning app %s: %s' % (appid, vcse)) probcount += 1 except Exception: - logging.warning('Could not scan app %s due to unknown error: %s' % ( - appid, traceback.format_exc())) + logging.warning( + 'Could not scan app %s due to unknown error: %s' + % (appid, traceback.format_exc()) + ) probcount += 1 for k, v in json_per_appid.items(): From 1d796b734f1cf6a820070348615d8f93b1eb2c10 Mon Sep 17 00:00:00 2001 From: linsui <2873532-linsui@users.noreply.gitlab.com> Date: Wed, 7 Aug 2024 14:37:41 +0800 Subject: [PATCH 3/6] scanner: error on dependency files without lock file --- fdroidserver/scanner.py | 17 +++++++++++++++++ tests/scanner.TestCase | 3 ++- tests/source-files/lockfile.test/Cargo.lock | 0 tests/source-files/lockfile.test/Cargo.toml | 0 tests/source-files/lockfile.test/package.json | 0 tests/source-files/lockfile.test/pubspec.yaml | 0 tests/source-files/lockfile.test/yarn.lock | 0 7 files changed, 19 insertions(+), 1 deletion(-) create mode 100644 tests/source-files/lockfile.test/Cargo.lock create mode 100644 tests/source-files/lockfile.test/Cargo.toml create mode 100644 tests/source-files/lockfile.test/package.json create mode 100644 tests/source-files/lockfile.test/pubspec.yaml create mode 100644 tests/source-files/lockfile.test/yarn.lock diff --git a/fdroidserver/scanner.py b/fdroidserver/scanner.py index ce09499b..e881f650 100644 --- a/fdroidserver/scanner.py +++ b/fdroidserver/scanner.py @@ -50,6 +50,11 @@ MAVEN_URL_REGEX = re.compile( re.DOTALL, ) +DEPFILE = { + "Cargo.toml": ["Cargo.lock"], + "pubspec.yaml": ["pubspec.lock"], + "package.json": ["package.lock", "yarn.lock", "pnpm-lock.yaml"], +} SCANNER_CACHE_VERSION = 1 @@ -813,6 +818,18 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): 'binary', path_in_build_dir, filepath, json_per_build ) + elif curfile in DEPFILE: + for lockfile in DEPFILE[curfile]: + if os.path.isfile(os.path.join(root, lockfile)): + break + else: + count += handleproblem( + _('dependency file without lock'), + path_in_build_dir, + filepath, + json_per_build, + ) + elif is_executable(filepath): if is_binary(filepath) and not ( safe_path(path_in_build_dir) or is_image_file(filepath) diff --git a/tests/scanner.TestCase b/tests/scanner.TestCase index c412b32e..89d60402 100755 --- a/tests/scanner.TestCase +++ b/tests/scanner.TestCase @@ -60,7 +60,8 @@ class ScannerTest(unittest.TestCase): 'org.mozilla.rocket': 2, 'org.tasks': 2, 'realm': 1, - 'se.manyver': 2, + 'se.manyver': 3, + 'lockfile.test': 1, } for d in glob.glob(os.path.join(source_files, '*')): build = fdroidserver.metadata.Build() diff --git a/tests/source-files/lockfile.test/Cargo.lock b/tests/source-files/lockfile.test/Cargo.lock new file mode 100644 index 00000000..e69de29b diff --git a/tests/source-files/lockfile.test/Cargo.toml b/tests/source-files/lockfile.test/Cargo.toml new file mode 100644 index 00000000..e69de29b diff --git a/tests/source-files/lockfile.test/package.json b/tests/source-files/lockfile.test/package.json new file mode 100644 index 00000000..e69de29b diff --git a/tests/source-files/lockfile.test/pubspec.yaml b/tests/source-files/lockfile.test/pubspec.yaml new file mode 100644 index 00000000..e69de29b diff --git a/tests/source-files/lockfile.test/yarn.lock b/tests/source-files/lockfile.test/yarn.lock new file mode 100644 index 00000000..e69de29b From 65f768e1cf6346c58885a8628f0f2efd5d8ec16a Mon Sep 17 00:00:00 2001 From: Hans-Christoph Steiner Date: Fri, 30 Aug 2024 13:47:20 +0200 Subject: [PATCH 4/6] black: fdroidserver/scanner.py now complies --- pyproject.toml | 1 - 1 file changed, 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index 805176d2..a64bae4e 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -43,7 +43,6 @@ force-exclude = '''( | fdroidserver/metadata\.py | fdroidserver/nightly\.py | fdroidserver/publish\.py - | fdroidserver/scanner\.py | fdroidserver/update\.py | fdroidserver/vmtools\.py | locale/pick-complete-translations\.py From 8884732114d3701a389ab5b70d7c444a771aee45 Mon Sep 17 00:00:00 2001 From: linsui <2873532-linsui@users.noreply.gitlab.com> Date: Sat, 31 Aug 2024 01:47:26 +0800 Subject: [PATCH 5/6] scanner.py: skip format on hex literal --- fdroidserver/scanner.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/fdroidserver/scanner.py b/fdroidserver/scanner.py index e881f650..79dbf96e 100644 --- a/fdroidserver/scanner.py +++ b/fdroidserver/scanner.py @@ -664,7 +664,7 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): def is_executable(path): return os.path.exists(path) and os.access(path, os.X_OK) - textchars = bytearray({7, 8, 9, 10, 12, 13, 27} | set(range(0x20, 0x100)) - {0x7F}) + textchars = bytearray({7, 8, 9, 10, 12, 13, 27} | set(range(0x20, 0x100)) - {0x7f}) # fmt: skip def is_binary(path): d = None From 9ccb3b5f0d7a28c695db16c5ced690add0d4e32b Mon Sep 17 00:00:00 2001 From: linsui <2873532-linsui@users.noreply.gitlab.com> Date: Sat, 31 Aug 2024 02:45:14 +0800 Subject: [PATCH 6/6] Remove comment of google mave repo to workground a bug of ruff --- fdroidserver/scanner.py | 57 +++++++++++++++++++---------------------- 1 file changed, 27 insertions(+), 30 deletions(-) diff --git a/fdroidserver/scanner.py b/fdroidserver/scanner.py index 79dbf96e..d212d811 100644 --- a/fdroidserver/scanner.py +++ b/fdroidserver/scanner.py @@ -503,38 +503,35 @@ def scan_source(build_dir, build=metadata.Build(), json_per_build=None): if r.match(s): yield n - allowed_repos = ( - [ - re.compile(r'^https://' + re.escape(repo) + r'/*') - for repo in [ - 'repo1.maven.org/maven2', # mavenCentral() - 'jcenter.bintray.com', # jcenter() - 'jitpack.io', - 'www.jitpack.io', - 'repo.maven.apache.org/maven2', - 'oss.jfrog.org/artifactory/oss-snapshot-local', - 'oss.sonatype.org/content/repositories/snapshots', - 'oss.sonatype.org/content/repositories/releases', - 'oss.sonatype.org/content/groups/public', - 'oss.sonatype.org/service/local/staging/deploy/maven2', - 's01.oss.sonatype.org/content/repositories/snapshots', - 's01.oss.sonatype.org/content/repositories/releases', - 's01.oss.sonatype.org/content/groups/public', - 's01.oss.sonatype.org/service/local/staging/deploy/maven2', - 'clojars.org/repo', # Clojure free software libs - 'repo.clojars.org', # Clojure free software libs - 's3.amazonaws.com/repo.commonsware.com', # CommonsWare - 'plugins.gradle.org/m2', # Gradle plugin repo - 'maven.google.com', # Google Maven Repo, https://developer.android.com/studio/build/dependencies.html#google-maven - ] + allowed_repos = [ + re.compile(r'^https://' + re.escape(repo) + r'/*') + for repo in [ + 'repo1.maven.org/maven2', # mavenCentral() + 'jcenter.bintray.com', # jcenter() + 'jitpack.io', + 'www.jitpack.io', + 'repo.maven.apache.org/maven2', + 'oss.jfrog.org/artifactory/oss-snapshot-local', + 'oss.sonatype.org/content/repositories/snapshots', + 'oss.sonatype.org/content/repositories/releases', + 'oss.sonatype.org/content/groups/public', + 'oss.sonatype.org/service/local/staging/deploy/maven2', + 's01.oss.sonatype.org/content/repositories/snapshots', + 's01.oss.sonatype.org/content/repositories/releases', + 's01.oss.sonatype.org/content/groups/public', + 's01.oss.sonatype.org/service/local/staging/deploy/maven2', + 'clojars.org/repo', # Clojure free software libs + 'repo.clojars.org', # Clojure free software libs + 's3.amazonaws.com/repo.commonsware.com', # CommonsWare + 'plugins.gradle.org/m2', # Gradle plugin repo + 'maven.google.com', # google() ] - + [ - re.compile(r'^file://' + re.escape(repo) + r'/*') - for repo in [ - '/usr/share/maven-repo', # local repo on Debian installs - ] + ] + [ + re.compile(r'^file://' + re.escape(repo) + r'/*') + for repo in [ + '/usr/share/maven-repo', # local repo on Debian installs ] - ) + ] scanignore = common.getpaths_map(build_dir, build.scanignore) scandelete = common.getpaths_map(build_dir, build.scandelete)