blob: 56fd0d68526f3e7762547424232cae7c6ef8c58d [file] [log] [blame]
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -08001#!/usr/bin/env python3
2# -*- coding: utf-8 -*-
George Burgess IV9e0cfde2022-09-27 15:08:15 -07003# Copyright 2021 The ChromiumOS Authors
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -08004# Use of this source code is governed by a BSD-style license that can be
5# found in the LICENSE file.
6""" This script cleans up the vendor directory.
7"""
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -07008import argparse
George Burgess IV635f7262022-08-09 21:32:20 -07009import collections
George Burgess IVfb0a1c42022-11-15 13:47:19 -070010import functools
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000011import hashlib
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -080012import json
13import os
14import pathlib
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -070015import re
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -070016import shutil
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000017import subprocess
George Burgess IV04833702022-08-09 22:00:38 -070018import textwrap
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -070019import toml
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000020
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -070021# We only care about crates we're actually going to use and that's usually
22# limited to ones with cfg(linux). For running `cargo metadata`, limit results
George Burgess IVfb0a1c42022-11-15 13:47:19 -070023# to only these platforms.
24ALL_SUPPORTED_PLATFORMS = (
25 # Main targets.
26 "x86_64-cros-linux-gnu",
27 "armv7a-cros-linux-gnueabihf",
28 "aarch64-cros-linux-gnu",
29 # As far as we care, this is the same as x86_64-cros-linux-gnu.
30 # "x86_64-pc-linux-gnu",
31 # Baremetal targets.
32 "thumbv6m-none-eabi",
33 "thumbv7m-none-eabi",
34 "thumbv7em-none-eabihf",
35 "i686-unknown-uefi",
36 "x86_64-unknown-uefi",
37)
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -070038
George Burgess IV8e2cc042022-10-18 14:50:48 -060039# A series of crates which are to be made empty by having no (non-comment)
40# contents in their `lib.rs`, rather than by inserting a compilation error.
41NOP_EMPTY_CRATES = frozenset({"windows"})
42
43EMPTY_CRATE_BODY = """\
44compile_error!("This crate cannot be built for this configuration.");
45"""
46NOP_EMPTY_CRATE_BODY = "// " + EMPTY_CRATE_BODY
47
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000048
49def _rerun_checksums(package_path):
50 """Re-run checksums for given package.
51
52 Writes resulting checksums to $package_path/.cargo-checksum.json.
53 """
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -070054 hashes = dict()
George Burgess IV7dffc252022-08-31 14:37:01 -070055 checksum_path = os.path.join(package_path, ".cargo-checksum.json")
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000056 if not pathlib.Path(checksum_path).is_file():
57 return False
58
George Burgess IV7dffc252022-08-31 14:37:01 -070059 with open(checksum_path, "r") as fread:
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000060 contents = json.load(fread)
61
62 for root, _, files in os.walk(package_path, topdown=True):
63 for f in files:
64 # Don't checksum an existing checksum file
65 if f == ".cargo-checksum.json":
66 continue
67
68 file_path = os.path.join(root, f)
George Burgess IV7dffc252022-08-31 14:37:01 -070069 with open(file_path, "rb") as frb:
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000070 m = hashlib.sha256()
71 m.update(frb.read())
72 d = m.hexdigest()
73
74 # Key is relative to the package path so strip from beginning
75 key = os.path.relpath(file_path, package_path)
76 hashes[key] = d
77
78 if hashes:
George Burgess IV7dffc252022-08-31 14:37:01 -070079 print(
80 "{} regenerated {} hashes".format(package_path, len(hashes.keys()))
81 )
82 contents["files"] = hashes
83 with open(checksum_path, "w") as fwrite:
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -070084 json.dump(contents, fwrite, sort_keys=True)
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000085
86 return True
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -080087
88
89def _remove_OWNERS_checksum(root):
George Burgess IV7dffc252022-08-31 14:37:01 -070090 """Delete all OWNERS files from the checksum file.
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -080091
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000092 Args:
93 root: Root directory for the vendored crate.
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -080094
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +000095 Returns:
96 True if OWNERS was found and cleaned up. Otherwise False.
97 """
George Burgess IV7dffc252022-08-31 14:37:01 -070098 checksum_path = os.path.join(root, ".cargo-checksum.json")
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -080099 if not pathlib.Path(checksum_path).is_file():
100 return False
101
George Burgess IV7dffc252022-08-31 14:37:01 -0700102 with open(checksum_path, "r") as fread:
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800103 contents = json.load(fread)
104
105 del_keys = []
George Burgess IV7dffc252022-08-31 14:37:01 -0700106 for cfile in contents["files"]:
107 if "OWNERS" in cfile:
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800108 del_keys.append(cfile)
109
110 for key in del_keys:
George Burgess IV7dffc252022-08-31 14:37:01 -0700111 del contents["files"][key]
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800112
113 if del_keys:
George Burgess IV7dffc252022-08-31 14:37:01 -0700114 print("{} deleted: {}".format(root, del_keys))
115 with open(checksum_path, "w") as fwrite:
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700116 json.dump(contents, fwrite, sort_keys=True)
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800117
118 return bool(del_keys)
119
120
121def cleanup_owners(vendor_path):
George Burgess IV7dffc252022-08-31 14:37:01 -0700122 """Remove owners checksums from the vendor directory.
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800123
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000124 We currently do not check in the OWNERS files from vendored crates because
125 they interfere with the find-owners functionality in gerrit. This cleanup
126 simply finds all instances of "OWNERS" in the checksum files within and
127 removes them.
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800128
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000129 Args:
130 vendor_path: Absolute path to vendor directory.
131 """
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800132 deps_cleaned = []
133 for root, dirs, _ in os.walk(vendor_path):
134 for d in dirs:
135 removed = _remove_OWNERS_checksum(os.path.join(root, d))
136 if removed:
137 deps_cleaned.append(d)
138
139 if deps_cleaned:
George Burgess IV7dffc252022-08-31 14:37:01 -0700140 print("Cleanup owners:\n {}".format("\n".join(deps_cleaned)))
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800141
142
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000143def apply_single_patch(patch, workdir):
144 """Apply a single patch and return whether it was successful.
145
146 Returns:
147 True if successful. False otherwise.
148 """
George Burgess IV08664ba2022-10-03 11:09:33 -0700149 proc = subprocess.run(
150 [
151 "patch",
152 "-p1",
153 "--no-backup-if-mismatch",
154 "-i",
155 patch,
156 ],
157 cwd=workdir,
158 )
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000159 return proc.returncode == 0
160
161
George Burgess IV30c5c362022-08-19 17:05:02 -0700162def apply_patch_script(script, workdir):
163 """Run the given patch script, returning whether it exited cleanly.
164
165 Returns:
166 True if successful. False otherwise.
167 """
168 return subprocess.run([script], cwd=workdir).returncode == 0
169
170
George Burgess IV635f7262022-08-09 21:32:20 -0700171def determine_vendor_crates(vendor_path):
172 """Returns a map of {crate_name: [directory]} at the given vendor_path."""
173 result = collections.defaultdict(list)
George Burgess IV76b60d02022-10-26 17:44:48 -0600174 crate_version_re = re.compile(r"-\d+\.\d+\.\d+(:?[+-]|$)")
George Burgess IV635f7262022-08-09 21:32:20 -0700175 for crate_name_plus_ver in os.listdir(vendor_path):
George Burgess IV76b60d02022-10-26 17:44:48 -0600176 version = crate_version_re.search(crate_name_plus_ver)
177 assert version, crate_name_plus_ver
178 name = crate_name_plus_ver[: version.start()]
George Burgess IV40cc91c2022-08-15 13:07:40 -0700179 result[name].append(crate_name_plus_ver)
George Burgess IV635f7262022-08-09 21:32:20 -0700180
181 for crate_list in result.values():
George Burgess IV40cc91c2022-08-15 13:07:40 -0700182 crate_list.sort()
George Burgess IV635f7262022-08-09 21:32:20 -0700183 return result
184
185
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000186def apply_patches(patches_path, vendor_path):
187 """Finds patches and applies them to sub-folders in the vendored crates.
188
189 Args:
190 patches_path: Path to folder with patches. Expect all patches to be one
191 level down (matching the crate name).
192 vendor_path: Root path to vendored crates directory.
193 """
194 checksums_for = {}
195
196 # Don't bother running if patches directory is empty
197 if not pathlib.Path(patches_path).is_dir():
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700198 return
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000199
George Burgess IV30c5c362022-08-19 17:05:02 -0700200 patches_failed = False
George Burgess IV635f7262022-08-09 21:32:20 -0700201 vendor_crate_map = determine_vendor_crates(vendor_path)
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000202 # Look for all patches and apply them
203 for d in os.listdir(patches_path):
204 dir_path = os.path.join(patches_path, d)
205
206 # We don't process patches in root dir
207 if not os.path.isdir(dir_path):
208 continue
209
George Burgess IV30c5c362022-08-19 17:05:02 -0700210 # We accept one of two forms here:
211 # - direct targets (these name # `${crate_name}-${version}`)
212 # - simply the crate name (which applies to all versions of the
213 # crate)
214 direct_target = os.path.join(vendor_path, d)
215 if os.path.isdir(direct_target):
216 patch_targets = [d]
217 elif d in vendor_crate_map:
218 patch_targets = vendor_crate_map[d]
219 else:
George Burgess IV7dffc252022-08-31 14:37:01 -0700220 raise RuntimeError(f"Unknown crate in {vendor_path}: {d}")
George Burgess IV30c5c362022-08-19 17:05:02 -0700221
George Burgess IV635f7262022-08-09 21:32:20 -0700222 for patch in os.listdir(dir_path):
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000223 file_path = os.path.join(dir_path, patch)
224
225 # Skip if not a patch file
George Burgess IV30c5c362022-08-19 17:05:02 -0700226 if not os.path.isfile(file_path):
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000227 continue
228
George Burgess IV30c5c362022-08-19 17:05:02 -0700229 if patch.endswith(".patch"):
230 apply = apply_single_patch
231 elif os.access(file_path, os.X_OK):
232 apply = apply_patch_script
George Burgess IV635f7262022-08-09 21:32:20 -0700233 else:
George Burgess IV30c5c362022-08-19 17:05:02 -0700234 # Unrecognized. Skip it.
235 continue
236
237 for target_name in patch_targets:
238 checksums_for[target_name] = True
239 target = os.path.join(vendor_path, target_name)
240 print(f"-- Applying {file_path} to {target}")
241 if not apply(file_path, target):
242 print(f"Failed to apply {file_path} to {target}")
243 patches_failed = True
244
245 # Do this late, so we can report all of the failing patches in one
246 # invocation.
247 if patches_failed:
George Burgess IV7dffc252022-08-31 14:37:01 -0700248 raise ValueError("Patches failed; please see above logs")
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000249
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000250 # Re-run checksums for all modified packages since we applied patches.
251 for key in checksums_for.keys():
252 _rerun_checksums(os.path.join(vendor_path, key))
253
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700254
George Burgess IV18af5632022-08-30 14:10:53 -0700255def get_workspace_cargo_toml(working_dir):
George Burgess IV40cc91c2022-08-15 13:07:40 -0700256 """Returns all Cargo.toml files under working_dir."""
George Burgess IV7dffc252022-08-31 14:37:01 -0700257 return [working_dir / "projects" / "Cargo.toml"]
George Burgess IV40cc91c2022-08-15 13:07:40 -0700258
259
Abhishek Pandit-Subedifa902382021-08-20 11:04:33 -0700260def run_cargo_vendor(working_dir):
261 """Runs cargo vendor.
262
263 Args:
264 working_dir: Directory to run inside. This should be the directory where
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700265 Cargo.toml is kept.
Abhishek Pandit-Subedifa902382021-08-20 11:04:33 -0700266 """
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700267 # `cargo vendor` may update dependencies (which may update metadata).
268 load_all_package_metadata.cache_clear()
269
George Burgess IV635f7262022-08-09 21:32:20 -0700270 # Cargo will refuse to revendor into versioned directories, which leads to
271 # repeated `./vendor.py` invocations trying to apply patches to
272 # already-patched sources. Remove the existing vendor directory to avoid
273 # this.
George Burgess IV7dffc252022-08-31 14:37:01 -0700274 vendor_dir = working_dir / "vendor"
George Burgess IV635f7262022-08-09 21:32:20 -0700275 if vendor_dir.exists():
George Burgess IV40cc91c2022-08-15 13:07:40 -0700276 shutil.rmtree(vendor_dir)
277
George Burgess IV18af5632022-08-30 14:10:53 -0700278 cargo_cmdline = [
George Burgess IV7dffc252022-08-31 14:37:01 -0700279 "cargo",
280 "vendor",
281 "--versioned-dirs",
282 "-v",
283 "--manifest-path=projects/Cargo.toml",
284 "--",
285 "vendor",
George Burgess IV18af5632022-08-30 14:10:53 -0700286 ]
George Burgess IV40cc91c2022-08-15 13:07:40 -0700287 subprocess.check_call(cargo_cmdline, cwd=working_dir)
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000288
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700289
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700290def load_single_metadata(working_dir, filter_platform):
George Burgess IV40cc91c2022-08-15 13:07:40 -0700291 """Load metadata for all projects under a given directory.
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700292
293 Args:
George Burgess IV40cc91c2022-08-15 13:07:40 -0700294 working_dir: Base directory to run from.
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700295 filter_platform: Filter packages to ones configured for this platform.
296 """
George Burgess IV40cc91c2022-08-15 13:07:40 -0700297 metadata_objects = []
George Burgess IV18af5632022-08-30 14:10:53 -0700298 cmd = [
George Burgess IV7dffc252022-08-31 14:37:01 -0700299 "cargo",
300 "metadata",
301 "--format-version=1",
302 "--manifest-path=projects/Cargo.toml",
George Burgess IV18af5632022-08-30 14:10:53 -0700303 ]
304 # Conditionally add platform filter
305 if filter_platform:
306 cmd += ("--filter-platform", filter_platform)
307 output = subprocess.check_output(cmd, cwd=working_dir)
308 return json.loads(output)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700309
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700310
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700311# Calls to this are somewhat expensive, and repeated a fair few times
312# throughout `./vendor.py`. Measuring locally, having a cache here speeds this
313# script up by 1.4x.
314@functools.lru_cache()
315def load_all_package_metadata(working_dir, platforms=ALL_SUPPORTED_PLATFORMS):
316 """Loads and merges metadata for all platforms in `platforms`.
317
318 This drops a lot of data from `cargo metadata`. Some of this metadata is
319 hard to merge, other bits of it just aren't worth keeping at the moment.
320 """
321 assert platforms, f"`platforms` should have things; has {platforms}"
322
323 found_package_ids = set()
324 results = []
325 for platform in platforms:
326 metadata = load_single_metadata(working_dir, platform)["packages"]
327 for package in metadata:
328 package_id = package["id"]
329 if package_id in found_package_ids:
330 continue
331
332 found_package_ids.add(package_id)
333 results.append(
334 {
335 "id": package["id"],
336 "license": package["license"],
337 "license_file": package["license_file"],
338 "name": package["name"],
339 "version": package["version"],
340 }
341 )
342
343 return results
344
345
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700346class LicenseManager:
George Burgess IV7dffc252022-08-31 14:37:01 -0700347 """Manage consolidating licenses for all packages."""
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700348
George Burgess IV124e6a12022-09-09 10:44:29 -0700349 # These are all the licenses we support. Keys are what is seen in metadata
350 # and values are what is expected by ebuilds.
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700351 SUPPORTED_LICENSES = {
George Burgess IV7dffc252022-08-31 14:37:01 -0700352 "0BSD": "0BSD",
353 "Apache-2.0": "Apache-2.0",
George Burgess IVb16816a2022-10-26 17:55:48 -0600354 "BSD-2-Clause": "BSD-2",
George Burgess IV7dffc252022-08-31 14:37:01 -0700355 "BSD-3-Clause": "BSD-3",
356 "ISC": "ISC",
357 "MIT": "MIT",
358 "MPL-2.0": "MPL-2.0",
359 "unicode": "unicode",
Dan Callaghan91f80542022-09-09 10:57:23 +1000360 "Zlib": "ZLIB",
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700361 }
362
363 # Prefer to take attribution licenses in this order. All these require that
364 # we actually use the license file found in the package so they MUST have
365 # a license file set.
George Burgess IV7dffc252022-08-31 14:37:01 -0700366 PREFERRED_ATTRIB_LICENSE_ORDER = ["MIT", "BSD-3", "ISC"]
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700367
368 # If Apache license is found, always prefer it (simplifies attribution)
George Burgess IV7dffc252022-08-31 14:37:01 -0700369 APACHE_LICENSE = "Apache-2.0"
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700370
371 # Regex for license files found in the vendored directories. Search for
372 # these files with re.IGNORECASE.
373 #
374 # These will be searched in order with the earlier entries being preferred.
375 LICENSE_NAMES_REGEX = [
George Burgess IV7dffc252022-08-31 14:37:01 -0700376 r"^license-mit$",
377 r"^copyright$",
378 r"^licen[cs]e.*$",
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700379 ]
380
381 # Some crates have their license file in other crates. This usually occurs
382 # because multiple crates are published from the same git repository and the
383 # license isn't updated in each sub-crate. In these cases, we can just
384 # ignore these packages.
385 MAP_LICENSE_TO_OTHER = {
George Burgess IV7dffc252022-08-31 14:37:01 -0700386 "failure_derive": "failure",
387 "grpcio-compiler": "grpcio",
388 "grpcio-sys": "grpcio",
389 "rustyline-derive": "rustyline",
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700390 }
391
392 # Map a package to a specific license and license file. Only use this if
393 # a package doesn't have an easily discoverable license or exports its
394 # license in a weird way. Prefer to patch the project with a license and
395 # upstream the patch instead.
396 STATIC_LICENSE_MAP = {
George Burgess IVb16816a2022-10-26 17:55:48 -0600397 # "package name": ("license name", "license file relative location")
George Burgess IV26642872022-10-18 19:46:58 -0600398 # Patch for adding these are upstream, but the patch application
399 # doesn't apply to `cargo metadata`. This is presumably because it
400 # can't detect our vendor directory.
George Burgess IVf4a5e362022-08-30 14:30:36 -0700401 # https://gitlab.freedesktop.org/slirp/libslirp-sys/-/merge_requests/6
George Burgess IV7dffc252022-08-31 14:37:01 -0700402 "libslirp-sys": ("MIT", "LICENSE"),
George Burgess IV26642872022-10-18 19:46:58 -0600403 # https://gitlab.freedesktop.org/anholt/deqp-runner/-/merge_requests/48
404 "deqp-runner": ("MIT", "LICENSE"),
Dan Callaghan91f80542022-09-09 10:57:23 +1000405 # Upstream prefers to embed license text inside README.md:
406 "riscv": ("ISC", "README.md"),
407 "riscv-rt": ("ISC", "README.md"),
George Burgess IVb16816a2022-10-26 17:55:48 -0600408 "zerocopy": ("BSD-2", "LICENSE"),
409 "zerocopy-derive": ("BSD-2", "LICENSE"),
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700410 }
411
412 def __init__(self, working_dir, vendor_dir):
413 self.working_dir = working_dir
414 self.vendor_dir = vendor_dir
415
416 def _find_license_in_dir(self, search_dir):
417 for p in os.listdir(search_dir):
418 # Ignore anything that's not a file
419 if not os.path.isfile(os.path.join(search_dir, p)):
420 continue
421
422 # Now check if the name matches any of the regexes
423 # We'll return the first matching file.
424 for regex in self.LICENSE_NAMES_REGEX:
425 if re.search(regex, p, re.IGNORECASE):
426 yield os.path.join(search_dir, p)
427 break
428
429 def _guess_license_type(self, license_file):
George Burgess IV7dffc252022-08-31 14:37:01 -0700430 if "-MIT" in license_file:
431 return "MIT"
432 elif "-APACHE" in license_file:
433 return "APACHE"
434 elif "-BSD" in license_file:
435 return "BSD-3"
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700436
George Burgess IV7dffc252022-08-31 14:37:01 -0700437 with open(license_file, "r") as f:
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700438 lines = f.read()
George Burgess IV7dffc252022-08-31 14:37:01 -0700439 if "MIT" in lines:
440 return "MIT"
441 elif "Apache" in lines:
442 return "APACHE"
443 elif "BSD 3-Clause" in lines:
444 return "BSD-3"
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700445
George Burgess IV7dffc252022-08-31 14:37:01 -0700446 return ""
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700447
George Burgess IV7dffc252022-08-31 14:37:01 -0700448 def generate_license(
449 self, skip_license_check, print_map_to_file, license_shorthand_file
450 ):
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700451 """Generate single massive license file from metadata."""
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700452 metadata = load_all_package_metadata(self.working_dir)
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700453
George Burgess IVb16816a2022-10-26 17:55:48 -0600454 special_unicode_license = "(MIT OR Apache-2.0) AND Unicode-DFS-2016"
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700455 bad_licenses = {}
456
457 # Keep license map ordered so it generates a consistent license map
458 license_map = {}
459
460 skip_license_check = skip_license_check or []
George Burgess IV4ae42062022-08-15 18:54:51 -0700461 has_unicode_license = False
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700462
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700463 for package in metadata:
George Burgess IV40cc91c2022-08-15 13:07:40 -0700464 # Skip the synthesized Cargo.toml packages that exist solely to
465 # list dependencies.
George Burgess IV7dffc252022-08-31 14:37:01 -0700466 if "path+file:///" in package["id"]:
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700467 continue
468
George Burgess IV7dffc252022-08-31 14:37:01 -0700469 pkg_name = package["name"]
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700470 if pkg_name in skip_license_check:
471 print(
George Burgess IV7dffc252022-08-31 14:37:01 -0700472 "Skipped license check on {}. Reason: Skipped from command line".format(
473 pkg_name
474 )
475 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700476 continue
477
478 if pkg_name in self.MAP_LICENSE_TO_OTHER:
479 print(
George Burgess IV7dffc252022-08-31 14:37:01 -0700480 "Skipped license check on {}. Reason: License already in {}".format(
481 pkg_name, self.MAP_LICENSE_TO_OTHER[pkg_name]
482 )
483 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700484 continue
485
486 # Check if we have a static license map for this package. Use the
487 # static values if we have it already set.
488 if pkg_name in self.STATIC_LICENSE_MAP:
George Burgess IVb16816a2022-10-26 17:55:48 -0600489 license, license_file = self.STATIC_LICENSE_MAP[pkg_name]
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700490 license_map[pkg_name] = {
491 "license": license,
492 "license_file": license_file,
493 }
494 continue
495
496 license_files = []
George Burgess IV93ba4732022-08-13 14:10:10 -0700497 # use `or ''` instead of get's default, since `package` may have a
498 # None value for 'license'.
George Burgess IV7dffc252022-08-31 14:37:01 -0700499 license = package.get("license") or ""
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700500
501 # We ignore the metadata for license file because most crates don't
502 # have it set. Just scan the source for licenses.
George Burgess IV7dffc252022-08-31 14:37:01 -0700503 pkg_version = package["version"]
504 license_files = list(
505 self._find_license_in_dir(
506 os.path.join(self.vendor_dir, f"{pkg_name}-{pkg_version}")
507 )
508 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700509
George Burgess IV4ae42062022-08-15 18:54:51 -0700510 # FIXME(b/240953811): The code later in this loop is only
511 # structured to handle ORs, not ANDs. Fortunately, this license in
512 # particular is `AND`ed between a super common license (Apache) and
513 # a more obscure one (unicode). This hack is specifically intended
514 # for the `unicode-ident` crate, though no crate name check is
515 # made, since it's OK other crates happen to have this license.
George Burgess IVb16816a2022-10-26 17:55:48 -0600516 if license == special_unicode_license:
George Burgess IV4ae42062022-08-15 18:54:51 -0700517 has_unicode_license = True
518 # We'll check later to be sure MIT or Apache-2.0 is represented
519 # properly.
520 for x in license_files:
George Burgess IV7dffc252022-08-31 14:37:01 -0700521 if os.path.basename(x) == "LICENSE-UNICODE":
George Burgess IV4ae42062022-08-15 18:54:51 -0700522 license_file = x
523 break
524 else:
George Burgess IV7dffc252022-08-31 14:37:01 -0700525 raise ValueError(
526 "No LICENSE-UNICODE found in " f"{license_files}"
527 )
George Burgess IV4ae42062022-08-15 18:54:51 -0700528 license_map[pkg_name] = {
529 "license": license,
530 "license_file": license_file,
531 }
George Burgess IV4ae42062022-08-15 18:54:51 -0700532 continue
533
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700534 # If there are multiple licenses, they are delimited with "OR" or "/"
George Burgess IV7dffc252022-08-31 14:37:01 -0700535 delim = " OR " if " OR " in license else "/"
George Burgess IV40cc91c2022-08-15 13:07:40 -0700536 found = [x.strip() for x in license.split(delim)]
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700537
538 # Filter licenses to ones we support
539 licenses_or = [
George Burgess IV7dffc252022-08-31 14:37:01 -0700540 self.SUPPORTED_LICENSES[f]
541 for f in found
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700542 if f in self.SUPPORTED_LICENSES
543 ]
544
545 # If apache license is found, always prefer it because it simplifies
546 # license attribution (we can use existing Apache notice)
547 if self.APACHE_LICENSE in licenses_or:
George Burgess IV7dffc252022-08-31 14:37:01 -0700548 license_map[pkg_name] = {"license": self.APACHE_LICENSE}
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700549
550 # Handle single license that has at least one license file
551 # We pick the first license file and the license
552 elif len(licenses_or) == 1:
553 if license_files:
554 l = licenses_or[0]
555 lf = license_files[0]
556
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700557 license_map[pkg_name] = {
George Burgess IV7dffc252022-08-31 14:37:01 -0700558 "license": l,
559 "license_file": os.path.relpath(lf, self.working_dir),
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700560 }
561 else:
562 bad_licenses[pkg_name] = "{} missing license file".format(
George Burgess IV7dffc252022-08-31 14:37:01 -0700563 licenses_or[0]
564 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700565 # Handle multiple licenses
566 elif len(licenses_or) > 1:
567 # Check preferred licenses in order
568 license_found = False
569 for l in self.PREFERRED_ATTRIB_LICENSE_ORDER:
570 if not l in licenses_or:
571 continue
572
573 for f in license_files:
574 if self._guess_license_type(f) == l:
575 license_found = True
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700576 license_map[pkg_name] = {
George Burgess IV7dffc252022-08-31 14:37:01 -0700577 "license": l,
578 "license_file": os.path.relpath(
579 f, self.working_dir
580 ),
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700581 }
582 break
583
584 # Break out of loop if license is found
585 if license_found:
586 break
587 else:
588 bad_licenses[pkg_name] = license
589
590 # If we had any bad licenses, we need to abort
591 if bad_licenses:
592 for k in bad_licenses.keys():
George Burgess IV7dffc252022-08-31 14:37:01 -0700593 print(
594 "{} had no acceptable licenses: {}".format(
595 k, bad_licenses[k]
596 )
597 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700598 raise Exception("Bad licenses in vendored packages.")
599
600 # Write license map to file
601 if print_map_to_file:
George Burgess IV7dffc252022-08-31 14:37:01 -0700602 with open(
603 os.path.join(self.working_dir, print_map_to_file), "w"
604 ) as lfile:
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700605 json.dump(license_map, lfile, sort_keys=True)
606
607 # Raise missing licenses unless we have a valid reason to ignore them
608 raise_missing_license = False
609 for name, v in license_map.items():
George Burgess IV7dffc252022-08-31 14:37:01 -0700610 if (
611 "license_file" not in v
612 and v.get("license", "") != self.APACHE_LICENSE
613 ):
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700614 raise_missing_license = True
George Burgess IV7dffc252022-08-31 14:37:01 -0700615 print(
616 " {}: Missing license file. Fix or add to ignorelist.".format(
617 name
618 )
619 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700620
621 if raise_missing_license:
622 raise Exception(
623 "Unhandled missing license file. "
George Burgess IV7dffc252022-08-31 14:37:01 -0700624 "Make sure all are accounted for before continuing."
625 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700626
George Burgess IVb16816a2022-10-26 17:55:48 -0600627 has_license_types = {x["license"] for x in license_map.values()}
George Burgess IV4ae42062022-08-15 18:54:51 -0700628 if has_unicode_license:
George Burgess IVb16816a2022-10-26 17:55:48 -0600629 # Replace this license with the actual SPDX license we plan to use.
630 has_license_types.remove(special_unicode_license)
631 has_license_types.add("unicode")
George Burgess IV4ae42062022-08-15 18:54:51 -0700632 if self.APACHE_LICENSE not in has_license_types:
George Burgess IV7dffc252022-08-31 14:37:01 -0700633 raise ValueError(
634 "Need the apache license; currently have: "
635 f"{sorted(has_license_types)}"
636 )
George Burgess IV4ae42062022-08-15 18:54:51 -0700637
George Burgess IV04833702022-08-09 22:00:38 -0700638 sorted_licenses = sorted(has_license_types)
George Burgess IV124e6a12022-09-09 10:44:29 -0700639 print("The following licenses are in use:", sorted_licenses)
George Burgess IV7dffc252022-08-31 14:37:01 -0700640 header = textwrap.dedent(
641 """\
George Burgess IV04833702022-08-09 22:00:38 -0700642 # File to describe the licenses used by this registry.
Daniel Verkampd9d085b2022-09-07 10:52:27 -0700643 # Used so it's easy to automatically verify ebuilds are updated.
George Burgess IV04833702022-08-09 22:00:38 -0700644 # Each line is a license. Lines starting with # are comments.
George Burgess IV7dffc252022-08-31 14:37:01 -0700645 """
646 )
647 with open(license_shorthand_file, "w", encoding="utf-8") as f:
George Burgess IV04833702022-08-09 22:00:38 -0700648 f.write(header)
George Burgess IV7dffc252022-08-31 14:37:01 -0700649 f.write("\n".join(sorted_licenses))
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700650
651
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700652# TODO(abps) - This needs to be replaced with datalog later. We should compile
653# all crab files into datalog and query it with our requirements
654# instead.
655class CrabManager:
656 """Manage audit files."""
George Burgess IV7dffc252022-08-31 14:37:01 -0700657
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700658 def __init__(self, working_dir, crab_dir):
659 self.working_dir = working_dir
660 self.crab_dir = crab_dir
661
662 def _check_bad_traits(self, crabdata):
663 """Checks that a package's crab audit meets our requirements.
664
665 Args:
666 crabdata: Dict with crab keys in standard templated format.
667 """
George Burgess IV7dffc252022-08-31 14:37:01 -0700668 common = crabdata["common"]
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700669 # TODO(b/200578411) - Figure out what conditions we should enforce as
670 # part of the audit.
671 conditions = [
George Burgess IV7dffc252022-08-31 14:37:01 -0700672 common.get("deny", None),
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700673 ]
674
675 # If any conditions are true, this crate is not acceptable.
676 return any(conditions)
677
678 def verify_traits(self):
George Burgess IV7dffc252022-08-31 14:37:01 -0700679 """Verify that all required CRAB traits for this repository are met."""
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700680 metadata = load_all_package_metadata(self.working_dir)
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700681
682 failing_crates = {}
683
684 # Verify all packages have a CRAB file associated with it and they meet
685 # all our required traits
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700686 for package in metadata:
George Burgess IV40cc91c2022-08-15 13:07:40 -0700687 # Skip the synthesized Cargo.toml packages that exist solely to
688 # list dependencies.
George Burgess IV7dffc252022-08-31 14:37:01 -0700689 if "path+file:///" in package["id"]:
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700690 continue
691
George Burgess IV7dffc252022-08-31 14:37:01 -0700692 crabname = "{}-{}".format(package["name"], package["version"])
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700693 filename = os.path.join(self.crab_dir, "{}.toml".format(crabname))
694
695 # If crab file doesn't exist, the crate fails
696 if not os.path.isfile(filename):
697 failing_crates[crabname] = "No crab file".format(filename)
698 continue
699
George Burgess IV7dffc252022-08-31 14:37:01 -0700700 with open(filename, "r") as f:
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700701 crabdata = toml.loads(f.read())
702
703 # If crab file's crate_name and version keys don't match this
704 # package, it also fails. This is just housekeeping...
George Burgess IV7dffc252022-08-31 14:37:01 -0700705 if (
706 package["name"] != crabdata["crate_name"]
707 or package["version"] != crabdata["version"]
708 ):
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700709 failing_crates[crabname] = "Crate name or version don't match"
710 continue
711
712 if self._check_bad_traits(crabdata):
713 failing_crates[crabname] = "Failed bad traits check"
714
George Burgess IV9e0cfde2022-09-27 15:08:15 -0700715 # If we had any failing crates, list them now, and exit with an error.
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700716 if failing_crates:
George Burgess IV7dffc252022-08-31 14:37:01 -0700717 print("Failed CRAB audit:")
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700718 for k, v in failing_crates.items():
George Burgess IV9e0cfde2022-09-27 15:08:15 -0700719 print(f" {k}: {v}")
720 raise ValueError("CRAB audit did not complete successfully.")
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700721
722
George Burgess IVd0261472022-10-17 18:59:10 -0600723def clean_source_related_lines_in_place(cargo_toml):
724 """Removes all [[bin]] (and similar) sections in `cargo_toml`."""
725 cargo_toml.pop("bench", None)
726 cargo_toml.pop("bin", None)
727 cargo_toml.pop("examples", None)
728 cargo_toml.pop("test", None)
729
730 lib = cargo_toml.get("lib")
731 if lib:
732 lib.pop("path", None)
733
734 package = cargo_toml.get("package")
735 if package:
736 package.pop("build", None)
737 package.pop("default-run", None)
738 package.pop("include", None)
739
740
George Burgess IVd4ff0502022-08-14 23:27:57 -0700741def clean_features_in_place(cargo_toml):
742 """Removes all side-effects of features in `cargo_toml`."""
George Burgess IV7dffc252022-08-31 14:37:01 -0700743 features = cargo_toml.get("features")
George Burgess IVd4ff0502022-08-14 23:27:57 -0700744 if not features:
745 return
746
George Burgess IVd0261472022-10-17 18:59:10 -0600747 for name in features:
748 features[name] = []
George Burgess IVd4ff0502022-08-14 23:27:57 -0700749
750
George Burgess IVd0261472022-10-17 18:59:10 -0600751def remove_all_dependencies_in_place(cargo_toml):
George Burgess IVd4ff0502022-08-14 23:27:57 -0700752 """Removes all `target.*.dependencies` from `cargo_toml`."""
George Burgess IVd0261472022-10-17 18:59:10 -0600753 cargo_toml.pop("build-dependencies", None)
754 cargo_toml.pop("dependencies", None)
755 cargo_toml.pop("dev-dependencies", None)
756
George Burgess IV7dffc252022-08-31 14:37:01 -0700757 target = cargo_toml.get("target")
George Burgess IVd4ff0502022-08-14 23:27:57 -0700758 if not target:
759 return
George Burgess IV0313d782022-08-15 23:45:44 -0700760
George Burgess IVd4ff0502022-08-14 23:27:57 -0700761 empty_keys = []
762 for key, values in target.items():
George Burgess IVd0261472022-10-17 18:59:10 -0600763 values.pop("build-dependencies", None)
George Burgess IV7dffc252022-08-31 14:37:01 -0700764 values.pop("dependencies", None)
765 values.pop("dev-dependencies", None)
George Burgess IVd4ff0502022-08-14 23:27:57 -0700766 if not values:
767 empty_keys.append(key)
George Burgess IV0313d782022-08-15 23:45:44 -0700768
George Burgess IVd4ff0502022-08-14 23:27:57 -0700769 if len(empty_keys) == len(target):
George Burgess IV7dffc252022-08-31 14:37:01 -0700770 del cargo_toml["target"]
George Burgess IVd4ff0502022-08-14 23:27:57 -0700771 else:
772 for key in empty_keys:
773 del target[key]
George Burgess IV0313d782022-08-15 23:45:44 -0700774
775
George Burgess IV7dffc252022-08-31 14:37:01 -0700776class CrateDestroyer:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700777 def __init__(self, working_dir, vendor_dir):
778 self.working_dir = working_dir
779 self.vendor_dir = vendor_dir
780
781 def _modify_cargo_toml(self, pkg_path):
George Burgess IV7dffc252022-08-31 14:37:01 -0700782 with open(os.path.join(pkg_path, "Cargo.toml"), "r") as cargo:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700783 contents = toml.load(cargo)
784
George Burgess IV7dffc252022-08-31 14:37:01 -0700785 package = contents["package"]
George Burgess IVd4ff0502022-08-14 23:27:57 -0700786
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700787 # Change description, license and delete license key
George Burgess IV7dffc252022-08-31 14:37:01 -0700788 package["description"] = "Empty crate that should not build."
789 package["license"] = "Apache-2.0"
George Burgess IVd4ff0502022-08-14 23:27:57 -0700790
George Burgess IV7dffc252022-08-31 14:37:01 -0700791 package.pop("license_file", None)
George Burgess IVd4ff0502022-08-14 23:27:57 -0700792 # If there's no build.rs but we specify `links = "foo"`, Cargo gets
793 # upset.
George Burgess IV7dffc252022-08-31 14:37:01 -0700794 package.pop("links", None)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700795
George Burgess IV0313d782022-08-15 23:45:44 -0700796 # Some packages have cfg-specific dependencies. Remove them here; we
797 # don't care about the dependencies of an empty package.
798 #
799 # This is a load-bearing optimization: `dev-python/toml` doesn't
800 # always round-trip dumps(loads(x)) correctly when `x` has keys with
801 # strings (b/242589711#comment3). The place this has bitten us so far
802 # is target dependencies, which can be harmlessly removed for now.
George Burgess IVd4ff0502022-08-14 23:27:57 -0700803 #
804 # Cleaning features in-place is also necessary, since we're removing
805 # dependencies, and a feature can enable features in dependencies.
806 # Cargo errors out on `[features] foo = "bar/baz"` if `bar` isn't a
807 # dependency.
808 clean_features_in_place(contents)
George Burgess IVd0261472022-10-17 18:59:10 -0600809 remove_all_dependencies_in_place(contents)
810
811 # Since we're removing all source files, also be sure to remove
812 # source-related keys.
813 clean_source_related_lines_in_place(contents)
George Burgess IV0313d782022-08-15 23:45:44 -0700814
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700815 with open(os.path.join(pkg_path, "Cargo.toml"), "w") as cargo:
816 toml.dump(contents, cargo)
817
George Burgess IV8e2cc042022-10-18 14:50:48 -0600818 def _replace_source_contents(self, package_path, compile_error):
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700819 # First load the checksum file before starting
820 checksum_file = os.path.join(package_path, ".cargo-checksum.json")
George Burgess IV7dffc252022-08-31 14:37:01 -0700821 with open(checksum_file, "r") as csum:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700822 checksum_contents = json.load(csum)
823
824 # Also load the cargo.toml file which we need to write back
825 cargo_file = os.path.join(package_path, "Cargo.toml")
George Burgess IV7dffc252022-08-31 14:37:01 -0700826 with open(cargo_file, "rb") as cfile:
George Burgess IV3e344e42022-08-09 21:07:04 -0700827 cargo_contents = cfile.read()
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700828
829 shutil.rmtree(package_path)
830
831 # Make package and src dirs and replace lib.rs
832 os.makedirs(os.path.join(package_path, "src"), exist_ok=True)
833 with open(os.path.join(package_path, "src", "lib.rs"), "w") as librs:
George Burgess IV8e2cc042022-10-18 14:50:48 -0600834 librs.write(
835 EMPTY_CRATE_BODY if compile_error else NOP_EMPTY_CRATE_BODY
836 )
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700837
838 # Restore cargo.toml
George Burgess IV7dffc252022-08-31 14:37:01 -0700839 with open(cargo_file, "wb") as cfile:
George Burgess IV3e344e42022-08-09 21:07:04 -0700840 cfile.write(cargo_contents)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700841
842 # Restore checksum
George Burgess IV7dffc252022-08-31 14:37:01 -0700843 with open(checksum_file, "w") as csum:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700844 json.dump(checksum_contents, csum)
845
846 def destroy_unused_crates(self):
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700847 metadata = [
848 (x["name"], x["version"])
849 for x in load_single_metadata(
850 self.working_dir, filter_platform=None
851 )["packages"]
852 ]
George Burgess IV7dffc252022-08-31 14:37:01 -0700853 used_packages = {
George Burgess IV9a264302022-12-16 15:36:01 -0700854 (x["name"], x["version"])
855 for x in load_all_package_metadata(self.working_dir)
George Burgess IV7dffc252022-08-31 14:37:01 -0700856 }
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700857
858 cleaned_packages = []
George Burgess IV40cc91c2022-08-15 13:07:40 -0700859 # Since we're asking for _all_ metadata packages, we may see
860 # duplication.
George Burgess IV9a264302022-12-16 15:36:01 -0700861 for package_desc in metadata:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700862 # Skip used packages
George Burgess IV9a264302022-12-16 15:36:01 -0700863 if package_desc in used_packages:
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700864 continue
865
George Burgess IV9a264302022-12-16 15:36:01 -0700866 package_name, package_version = package_desc
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700867 # Detect the correct package path to destroy
George Burgess IV7dffc252022-08-31 14:37:01 -0700868 pkg_path = os.path.join(
869 self.vendor_dir,
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700870 "{}-{}".format(package_name, package_version),
George Burgess IV7dffc252022-08-31 14:37:01 -0700871 )
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700872 if not os.path.isdir(pkg_path):
George Burgess IV8e2cc042022-10-18 14:50:48 -0600873 print(f"Crate {package_name} not found at {pkg_path}")
George Burgess IV635f7262022-08-09 21:32:20 -0700874 continue
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700875
George Burgess IV8e2cc042022-10-18 14:50:48 -0600876 self._replace_source_contents(
877 pkg_path, compile_error=package_name not in NOP_EMPTY_CRATES
878 )
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700879 self._modify_cargo_toml(pkg_path)
880 _rerun_checksums(pkg_path)
George Burgess IVfb0a1c42022-11-15 13:47:19 -0700881 cleaned_packages.append(package_name)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700882
883 for pkg in cleaned_packages:
George Burgess IV635f7262022-08-09 21:32:20 -0700884 print("Removed unused crate", pkg)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700885
George Burgess IV7dffc252022-08-31 14:37:01 -0700886
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700887def main(args):
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800888 current_path = pathlib.Path(__file__).parent.absolute()
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000889 patches = os.path.join(current_path, "patches")
890 vendor = os.path.join(current_path, "vendor")
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700891 crab_dir = os.path.join(current_path, "crab", "crates")
George Burgess IV04833702022-08-09 22:00:38 -0700892 license_shorthand_file = os.path.join(current_path, "licenses_used.txt")
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800893
Abhishek Pandit-Subedifa902382021-08-20 11:04:33 -0700894 # First, actually run cargo vendor
895 run_cargo_vendor(current_path)
896
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000897 # Order matters here:
898 # - Apply patches (also re-calculates checksums)
899 # - Cleanup any owners files (otherwise, git check-in or checksums are
900 # unhappy)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700901 # - Destroy unused crates
Abhishek Pandit-Subedi5065a0f2021-06-13 20:38:55 +0000902 apply_patches(patches, vendor)
903 cleanup_owners(vendor)
Abhishek Pandit-Subedif0eb6e02021-09-24 16:36:12 -0700904 destroyer = CrateDestroyer(current_path, vendor)
905 destroyer.destroy_unused_crates()
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800906
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700907 # Combine license file and check for any bad licenses
908 lm = LicenseManager(current_path, vendor)
George Burgess IV7dffc252022-08-31 14:37:01 -0700909 lm.generate_license(
910 args.skip_license_check, args.license_map, license_shorthand_file
911 )
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700912
Abhishek Pandit-Subedice0f5b22021-09-10 15:50:08 -0700913 # Run crab audit on all packages
914 crab = CrabManager(current_path, crab_dir)
915 crab.verify_traits()
916
Abhishek Pandit-Subedib75bd562021-02-25 15:32:22 -0800917
George Burgess IV7dffc252022-08-31 14:37:01 -0700918if __name__ == "__main__":
919 parser = argparse.ArgumentParser(description="Vendor packages properly")
920 parser.add_argument(
921 "--skip-license-check",
922 "-s",
923 help="Skip the license check on a specific package",
924 action="append",
925 )
926 parser.add_argument("--license-map", help="Write license map to this file")
Abhishek Pandit-Subedie393cb72021-08-22 10:41:13 -0700927 args = parser.parse_args()
928
929 main(args)