cargo/core/compiler/build_runner/
compilation_files.rs

1//! See [`CompilationFiles`].
2
3use std::cell::OnceCell;
4use std::collections::HashMap;
5use std::fmt;
6use std::hash::{Hash, Hasher};
7use std::path::{Path, PathBuf};
8use std::sync::Arc;
9
10use tracing::debug;
11
12use super::{BuildContext, BuildRunner, CompileKind, FileFlavor, Layout};
13use crate::core::compiler::{CompileMode, CompileTarget, CrateType, FileType, Unit};
14use crate::core::{Target, TargetKind, Workspace};
15use crate::util::{self, CargoResult, OnceExt, StableHasher};
16
17/// This is a generic version number that can be changed to make
18/// backwards-incompatible changes to any file structures in the output
19/// directory. For example, the fingerprint files or the build-script
20/// output files.
21///
22/// Normally cargo updates ship with rustc updates which will
23/// cause a new hash due to the rustc version changing, but this allows
24/// cargo to be extra careful to deal with different versions of cargo that
25/// use the same rustc version.
26const METADATA_VERSION: u8 = 2;
27
28/// Uniquely identify a [`Unit`] under specific circumstances, see [`Metadata`] for more.
29#[derive(Copy, Clone, Hash, Eq, PartialEq, Ord, PartialOrd)]
30pub struct UnitHash(u64);
31
32impl fmt::Display for UnitHash {
33    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
34        write!(f, "{:016x}", self.0)
35    }
36}
37
38impl fmt::Debug for UnitHash {
39    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
40        write!(f, "UnitHash({:016x})", self.0)
41    }
42}
43
44/// [`Metadata`] tracks several [`UnitHash`]s, including
45/// [`Metadata::unit_id`], [`Metadata::c_metadata`], and [`Metadata::c_extra_filename`].
46///
47/// We use a hash because it is an easy way to guarantee
48/// that all the inputs can be converted to a valid path.
49///
50/// [`Metadata::unit_id`] is used to uniquely identify a unit in the build graph.
51/// This serves as a similar role as [`Metadata::c_extra_filename`] in that it uniquely identifies output
52/// on the filesystem except that its always present.
53///
54/// [`Metadata::c_extra_filename`] is needed for cases like:
55/// - A project may depend on crate `A` and crate `B`, so the package name must be in the file name.
56/// - Similarly a project may depend on two versions of `A`, so the version must be in the file name.
57///
58/// This also acts as the main layer of caching provided by Cargo
59/// so this must include all things that need to be distinguished in different parts of
60/// the same build. This is absolutely required or we override things before
61/// we get chance to use them.
62///
63/// For example, we want to cache `cargo build` and `cargo doc` separately, so that running one
64/// does not invalidate the artifacts for the other. We do this by including [`CompileMode`] in the
65/// hash, thus the artifacts go in different folders and do not override each other.
66/// If we don't add something that we should have, for this reason, we get the
67/// correct output but rebuild more than is needed.
68///
69/// Some things that need to be tracked to ensure the correct output should definitely *not*
70/// go in the `Metadata`. For example, the modification time of a file, should be tracked to make a
71/// rebuild when the file changes. However, it would be wasteful to include in the `Metadata`. The
72/// old artifacts are never going to be needed again. We can save space by just overwriting them.
73/// If we add something that we should not have, for this reason, we get the correct output but take
74/// more space than needed. This makes not including something in `Metadata`
75/// a form of cache invalidation.
76///
77/// Note that the `Fingerprint` is in charge of tracking everything needed to determine if a
78/// rebuild is needed.
79///
80/// [`Metadata::c_metadata`] is used for symbol mangling, because if you have two versions of
81/// the same crate linked together, their symbols need to be differentiated.
82///
83/// You should avoid anything that would interfere with reproducible
84/// builds. For example, *any* absolute path should be avoided. This is one
85/// reason that `RUSTFLAGS` is not in [`Metadata::c_metadata`], because it often has
86/// absolute paths (like `--remap-path-prefix` which is fundamentally used for
87/// reproducible builds and has absolute paths in it). Also, in some cases the
88/// mangled symbols need to be stable between different builds with different
89/// settings. For example, profile-guided optimizations need to swap
90/// `RUSTFLAGS` between runs, but needs to keep the same symbol names.
91#[derive(Copy, Clone, Debug)]
92pub struct Metadata {
93    unit_id: UnitHash,
94    c_metadata: UnitHash,
95    c_extra_filename: Option<UnitHash>,
96}
97
98impl Metadata {
99    /// A hash to identify a given [`Unit`] in the build graph
100    pub fn unit_id(&self) -> UnitHash {
101        self.unit_id
102    }
103
104    /// A hash to add to symbol naming through `-C metadata`
105    pub fn c_metadata(&self) -> UnitHash {
106        self.c_metadata
107    }
108
109    /// A hash to add to file names through `-C extra-filename`
110    pub fn c_extra_filename(&self) -> Option<UnitHash> {
111        self.c_extra_filename
112    }
113}
114
115/// Collection of information about the files emitted by the compiler, and the
116/// output directory structure.
117pub struct CompilationFiles<'a, 'gctx> {
118    /// The target directory layout for the host (and target if it is the same as host).
119    pub(super) host: Layout,
120    /// The target directory layout for the target (if different from then host).
121    pub(super) target: HashMap<CompileTarget, Layout>,
122    /// Additional directory to include a copy of the outputs.
123    export_dir: Option<PathBuf>,
124    /// The root targets requested by the user on the command line (does not
125    /// include dependencies).
126    roots: Vec<Unit>,
127    ws: &'a Workspace<'gctx>,
128    /// Metadata hash to use for each unit.
129    metas: HashMap<Unit, Metadata>,
130    /// For each Unit, a list all files produced.
131    outputs: HashMap<Unit, OnceCell<Arc<Vec<OutputFile>>>>,
132}
133
134/// Info about a single file emitted by the compiler.
135#[derive(Debug)]
136pub struct OutputFile {
137    /// Absolute path to the file that will be produced by the build process.
138    pub path: PathBuf,
139    /// If it should be linked into `target`, and what it should be called
140    /// (e.g., without metadata).
141    pub hardlink: Option<PathBuf>,
142    /// If `--artifact-dir` is specified, the absolute path to the exported file.
143    pub export_path: Option<PathBuf>,
144    /// Type of the file (library / debug symbol / else).
145    pub flavor: FileFlavor,
146}
147
148impl OutputFile {
149    /// Gets the hard link if present; otherwise, returns the path.
150    pub fn bin_dst(&self) -> &PathBuf {
151        match self.hardlink {
152            Some(ref link_dst) => link_dst,
153            None => &self.path,
154        }
155    }
156}
157
158impl<'a, 'gctx: 'a> CompilationFiles<'a, 'gctx> {
159    pub(super) fn new(
160        build_runner: &BuildRunner<'a, 'gctx>,
161        host: Layout,
162        target: HashMap<CompileTarget, Layout>,
163    ) -> CompilationFiles<'a, 'gctx> {
164        let mut metas = HashMap::new();
165        for unit in &build_runner.bcx.roots {
166            metadata_of(unit, build_runner, &mut metas);
167        }
168        let outputs = metas
169            .keys()
170            .cloned()
171            .map(|unit| (unit, OnceCell::new()))
172            .collect();
173        CompilationFiles {
174            ws: build_runner.bcx.ws,
175            host,
176            target,
177            export_dir: build_runner.bcx.build_config.export_dir.clone(),
178            roots: build_runner.bcx.roots.clone(),
179            metas,
180            outputs,
181        }
182    }
183
184    /// Returns the appropriate directory layout for either a plugin or not.
185    pub fn layout(&self, kind: CompileKind) -> &Layout {
186        match kind {
187            CompileKind::Host => &self.host,
188            CompileKind::Target(target) => &self.target[&target],
189        }
190    }
191
192    /// Gets the metadata for the given unit.
193    ///
194    /// See [`Metadata`] and [`fingerprint`] module for more.
195    ///
196    /// [`fingerprint`]: super::super::fingerprint#fingerprints-and-metadata
197    pub fn metadata(&self, unit: &Unit) -> Metadata {
198        self.metas[unit]
199    }
200
201    /// Gets the short hash based only on the `PackageId`.
202    /// Used for the metadata when `c_extra_filename` returns `None`.
203    fn target_short_hash(&self, unit: &Unit) -> String {
204        let hashable = unit.pkg.package_id().stable_hash(self.ws.root());
205        util::short_hash(&(METADATA_VERSION, hashable))
206    }
207
208    /// Returns the directory where the artifacts for the given unit are
209    /// initially created.
210    pub fn out_dir(&self, unit: &Unit) -> PathBuf {
211        // Docscrape units need to have doc/ set as the out_dir so sources for reverse-dependencies
212        // will be put into doc/ and not into deps/ where the *.examples files are stored.
213        if unit.mode.is_doc() || unit.mode.is_doc_scrape() {
214            self.layout(unit.kind)
215                .artifact_dir()
216                .expect("artifact-dir was not locked")
217                .doc()
218                .to_path_buf()
219        } else if unit.mode.is_doc_test() {
220            panic!("doc tests do not have an out dir");
221        } else if unit.target.is_custom_build() {
222            self.build_script_dir(unit)
223        } else if unit.target.is_example() {
224            self.layout(unit.kind).build_dir().examples().to_path_buf()
225        } else if unit.artifact.is_true() {
226            self.artifact_dir(unit)
227        } else {
228            self.deps_dir(unit).to_path_buf()
229        }
230    }
231
232    /// Additional export directory from `--artifact-dir`.
233    pub fn export_dir(&self) -> Option<PathBuf> {
234        self.export_dir.clone()
235    }
236
237    /// Directory name to use for a package in the form `{NAME}/{HASH}`.
238    ///
239    /// Note that some units may share the same directory, so care should be
240    /// taken in those cases!
241    fn pkg_dir(&self, unit: &Unit) -> String {
242        let separator = match self.ws.gctx().cli_unstable().build_dir_new_layout {
243            true => "/",
244            false => "-",
245        };
246        let name = unit.pkg.package_id().name();
247        let meta = self.metas[unit];
248        if let Some(c_extra_filename) = meta.c_extra_filename() {
249            format!("{}{}{}", name, separator, c_extra_filename)
250        } else {
251            format!("{}{}{}", name, separator, self.target_short_hash(unit))
252        }
253    }
254
255    /// Returns the final artifact path for the host (`/…/target/debug`)
256    pub fn host_dest(&self) -> Option<&Path> {
257        self.host.artifact_dir().map(|v| v.dest())
258    }
259
260    /// Returns the root of the build output tree for the host (`/…/build-dir`)
261    pub fn host_build_root(&self) -> &Path {
262        self.host.build_dir().root()
263    }
264
265    /// Returns the host `deps` directory path.
266    pub fn host_deps(&self, unit: &Unit) -> PathBuf {
267        let dir = self.pkg_dir(unit);
268        self.host.build_dir().deps(&dir)
269    }
270
271    /// Returns the directories where Rust crate dependencies are found for the
272    /// specified unit.
273    pub fn deps_dir(&self, unit: &Unit) -> PathBuf {
274        let dir = self.pkg_dir(unit);
275        self.layout(unit.kind).build_dir().deps(&dir)
276    }
277
278    /// Directory where the fingerprint for the given unit should go.
279    pub fn fingerprint_dir(&self, unit: &Unit) -> PathBuf {
280        let dir = self.pkg_dir(unit);
281        self.layout(unit.kind).build_dir().fingerprint(&dir)
282    }
283
284    /// Directory where incremental output for the given unit should go.
285    pub fn incremental_dir(&self, unit: &Unit) -> &Path {
286        self.layout(unit.kind).build_dir().incremental()
287    }
288
289    /// Directory where timing output should go.
290    pub fn timings_dir(&self) -> Option<&Path> {
291        self.host.artifact_dir().map(|v| v.timings())
292    }
293
294    /// Returns the path for a file in the fingerprint directory.
295    ///
296    /// The "prefix" should be something to distinguish the file from other
297    /// files in the fingerprint directory.
298    pub fn fingerprint_file_path(&self, unit: &Unit, prefix: &str) -> PathBuf {
299        // Different targets need to be distinguished in the
300        let kind = unit.target.kind().description();
301        let flavor = if unit.mode.is_any_test() {
302            "test-"
303        } else if unit.mode.is_doc() {
304            "doc-"
305        } else if unit.mode.is_run_custom_build() {
306            "run-"
307        } else {
308            ""
309        };
310        let name = format!("{}{}{}-{}", prefix, flavor, kind, unit.target.name());
311        self.fingerprint_dir(unit).join(name)
312    }
313
314    /// Path where compiler output is cached.
315    pub fn message_cache_path(&self, unit: &Unit) -> PathBuf {
316        self.fingerprint_file_path(unit, "output-")
317    }
318
319    /// Returns the directory where a compiled build script is stored.
320    /// `/path/to/target/{debug,release}/build/PKG-HASH`
321    pub fn build_script_dir(&self, unit: &Unit) -> PathBuf {
322        assert!(unit.target.is_custom_build());
323        assert!(!unit.mode.is_run_custom_build());
324        assert!(self.metas.contains_key(unit));
325        let dir = self.pkg_dir(unit);
326        self.layout(CompileKind::Host)
327            .build_dir()
328            .build_script(&dir)
329    }
330
331    /// Returns the directory for compiled artifacts files.
332    /// `/path/to/target/{debug,release}/deps/artifact/KIND/PKG-HASH`
333    fn artifact_dir(&self, unit: &Unit) -> PathBuf {
334        assert!(self.metas.contains_key(unit));
335        assert!(unit.artifact.is_true());
336        let dir = self.pkg_dir(unit);
337        let kind = match unit.target.kind() {
338            TargetKind::Bin => "bin",
339            TargetKind::Lib(lib_kinds) => match lib_kinds.as_slice() {
340                &[CrateType::Cdylib] => "cdylib",
341                &[CrateType::Staticlib] => "staticlib",
342                invalid => unreachable!(
343                    "BUG: unexpected artifact library type(s): {:?} - these should have been split",
344                    invalid
345                ),
346            },
347            invalid => unreachable!(
348                "BUG: {:?} are not supposed to be used as artifacts",
349                invalid
350            ),
351        };
352        self.layout(unit.kind)
353            .build_dir()
354            .artifact()
355            .join(dir)
356            .join(kind)
357    }
358
359    /// Returns the directory where information about running a build script
360    /// is stored.
361    /// `/path/to/target/{debug,release}/build/PKG-HASH`
362    pub fn build_script_run_dir(&self, unit: &Unit) -> PathBuf {
363        assert!(unit.target.is_custom_build());
364        assert!(unit.mode.is_run_custom_build());
365        let dir = self.pkg_dir(unit);
366        self.layout(unit.kind)
367            .build_dir()
368            .build_script_execution(&dir)
369    }
370
371    /// Returns the "`OUT_DIR`" directory for running a build script.
372    /// `/path/to/target/{debug,release}/build/PKG-HASH/out`
373    pub fn build_script_out_dir(&self, unit: &Unit) -> PathBuf {
374        self.build_script_run_dir(unit).join("out")
375    }
376
377    /// Returns the path to the executable binary for the given bin target.
378    ///
379    /// This should only to be used when a `Unit` is not available.
380    pub fn bin_link_for_target(
381        &self,
382        target: &Target,
383        kind: CompileKind,
384        bcx: &BuildContext<'_, '_>,
385    ) -> CargoResult<Option<PathBuf>> {
386        assert!(target.is_bin());
387        let Some(dest) = self.layout(kind).artifact_dir().map(|v| v.dest()) else {
388            return Ok(None);
389        };
390        let info = bcx.target_data.info(kind);
391        let (file_types, _) = info
392            .rustc_outputs(
393                CompileMode::Build,
394                &TargetKind::Bin,
395                bcx.target_data.short_name(&kind),
396                bcx.gctx,
397            )
398            .expect("target must support `bin`");
399
400        let file_type = file_types
401            .iter()
402            .find(|file_type| file_type.flavor == FileFlavor::Normal)
403            .expect("target must support `bin`");
404
405        Ok(Some(dest.join(file_type.uplift_filename(target))))
406    }
407
408    /// Returns the filenames that the given unit will generate.
409    ///
410    /// Note: It is not guaranteed that all of the files will be generated.
411    pub(super) fn outputs(
412        &self,
413        unit: &Unit,
414        bcx: &BuildContext<'a, 'gctx>,
415    ) -> CargoResult<Arc<Vec<OutputFile>>> {
416        self.outputs[unit]
417            .try_borrow_with(|| self.calc_outputs(unit, bcx))
418            .map(Arc::clone)
419    }
420
421    /// Returns the path where the output for the given unit and `FileType`
422    /// should be uplifted to.
423    ///
424    /// Returns `None` if the unit shouldn't be uplifted (for example, a
425    /// dependent rlib).
426    fn uplift_to(&self, unit: &Unit, file_type: &FileType, from_path: &Path) -> Option<PathBuf> {
427        // Tests, check, doc, etc. should not be uplifted.
428        if unit.mode != CompileMode::Build || file_type.flavor == FileFlavor::Rmeta {
429            return None;
430        }
431
432        // Artifact dependencies are never uplifted.
433        if unit.artifact.is_true() {
434            return None;
435        }
436
437        // - Binaries: The user always wants to see these, even if they are
438        //   implicitly built (for example for integration tests).
439        // - dylibs: This ensures that the dynamic linker pulls in all the
440        //   latest copies (even if the dylib was built from a previous cargo
441        //   build). There are complex reasons for this, see #8139, #6167, #6162.
442        // - Things directly requested from the command-line (the "roots").
443        //   This one is a little questionable for rlibs (see #6131), but is
444        //   historically how Cargo has operated. This is primarily useful to
445        //   give the user access to staticlibs and cdylibs.
446        if !unit.target.is_bin()
447            && !unit.target.is_custom_build()
448            && file_type.crate_type != Some(CrateType::Dylib)
449            && !self.roots.contains(unit)
450        {
451            return None;
452        }
453
454        let filename = file_type.uplift_filename(&unit.target);
455        let uplift_path = if unit.target.is_example() {
456            // Examples live in their own little world.
457            self.layout(unit.kind)
458                .artifact_dir()?
459                .examples()
460                .join(filename)
461        } else if unit.target.is_custom_build() {
462            self.build_script_dir(unit).join(filename)
463        } else {
464            self.layout(unit.kind).artifact_dir()?.dest().join(filename)
465        };
466        if from_path == uplift_path {
467            // This can happen with things like examples that reside in the
468            // same directory, do not have a metadata hash (like on Windows),
469            // and do not have hyphens.
470            return None;
471        }
472        Some(uplift_path)
473    }
474
475    /// Calculates the filenames that the given unit will generate.
476    /// Should use [`CompilationFiles::outputs`] instead
477    /// as it caches the result of this function.
478    fn calc_outputs(
479        &self,
480        unit: &Unit,
481        bcx: &BuildContext<'a, 'gctx>,
482    ) -> CargoResult<Arc<Vec<OutputFile>>> {
483        let ret = match unit.mode {
484            _ if unit.skip_non_compile_time_dep => {
485                // This skips compilations so no outputs
486                vec![]
487            }
488            CompileMode::Doc => {
489                let path = if bcx.build_config.intent.wants_doc_json_output() {
490                    self.out_dir(unit)
491                        .join(format!("{}.json", unit.target.crate_name()))
492                } else {
493                    self.out_dir(unit)
494                        .join(unit.target.crate_name())
495                        .join("index.html")
496                };
497
498                vec![OutputFile {
499                    path,
500                    hardlink: None,
501                    export_path: None,
502                    flavor: FileFlavor::Normal,
503                }]
504            }
505            CompileMode::RunCustomBuild => {
506                // At this time, this code path does not handle build script
507                // outputs.
508                vec![]
509            }
510            CompileMode::Doctest => {
511                // Doctests are built in a temporary directory and then
512                // deleted. There is the `--persist-doctests` unstable flag,
513                // but Cargo does not know about that.
514                vec![]
515            }
516            CompileMode::Docscrape => {
517                // The file name needs to be stable across Cargo sessions.
518                // This originally used unit.buildkey(), but that isn't stable,
519                // so we use metadata instead (prefixed with name for debugging).
520                let file_name = format!(
521                    "{}-{}.examples",
522                    unit.pkg.name(),
523                    self.metadata(unit).unit_id()
524                );
525                let path = self.deps_dir(unit).join(file_name);
526                vec![OutputFile {
527                    path,
528                    hardlink: None,
529                    export_path: None,
530                    flavor: FileFlavor::Normal,
531                }]
532            }
533            CompileMode::Test | CompileMode::Build | CompileMode::Check { .. } => {
534                let mut outputs = self.calc_outputs_rustc(unit, bcx)?;
535                if bcx.build_config.sbom && bcx.gctx.cli_unstable().sbom {
536                    let sbom_files: Vec<_> = outputs
537                        .iter()
538                        .filter(|o| matches!(o.flavor, FileFlavor::Normal | FileFlavor::Linkable))
539                        .map(|output| OutputFile {
540                            path: Self::append_sbom_suffix(&output.path),
541                            hardlink: output.hardlink.as_ref().map(Self::append_sbom_suffix),
542                            export_path: output.export_path.as_ref().map(Self::append_sbom_suffix),
543                            flavor: FileFlavor::Sbom,
544                        })
545                        .collect();
546                    outputs.extend(sbom_files.into_iter());
547                }
548                outputs
549            }
550        };
551        debug!("Target filenames: {:?}", ret);
552
553        Ok(Arc::new(ret))
554    }
555
556    /// Append the SBOM suffix to the file name.
557    fn append_sbom_suffix(link: &PathBuf) -> PathBuf {
558        const SBOM_FILE_EXTENSION: &str = ".cargo-sbom.json";
559        let mut link_buf = link.clone().into_os_string();
560        link_buf.push(SBOM_FILE_EXTENSION);
561        PathBuf::from(link_buf)
562    }
563
564    /// Computes the actual, full pathnames for all the files generated by rustc.
565    ///
566    /// The `OutputFile` also contains the paths where those files should be
567    /// "uplifted" to.
568    fn calc_outputs_rustc(
569        &self,
570        unit: &Unit,
571        bcx: &BuildContext<'a, 'gctx>,
572    ) -> CargoResult<Vec<OutputFile>> {
573        let out_dir = self.out_dir(unit);
574
575        let info = bcx.target_data.info(unit.kind);
576        let triple = bcx.target_data.short_name(&unit.kind);
577        let (file_types, unsupported) =
578            info.rustc_outputs(unit.mode, unit.target.kind(), triple, bcx.gctx)?;
579        if file_types.is_empty() {
580            if !unsupported.is_empty() {
581                let unsupported_strs: Vec<_> = unsupported.iter().map(|ct| ct.as_str()).collect();
582                anyhow::bail!(
583                    "cannot produce {} for `{}` as the target `{}` \
584                     does not support these crate types",
585                    unsupported_strs.join(", "),
586                    unit.pkg,
587                    triple,
588                )
589            }
590            anyhow::bail!(
591                "cannot compile `{}` as the target `{}` does not \
592                 support any of the output crate types",
593                unit.pkg,
594                triple,
595            );
596        }
597
598        // Convert FileType to OutputFile.
599        let mut outputs = Vec::new();
600        for file_type in file_types {
601            let meta = self.metas[unit];
602            let meta_opt = meta.c_extra_filename().map(|h| h.to_string());
603            let path = out_dir.join(file_type.output_filename(&unit.target, meta_opt.as_deref()));
604
605            // If, the `different_binary_name` feature is enabled, the name of the hardlink will
606            // be the name of the binary provided by the user in `Cargo.toml`.
607            let hardlink = self.uplift_to(unit, &file_type, &path);
608            let export_path = if unit.target.is_custom_build() {
609                None
610            } else {
611                self.export_dir.as_ref().and_then(|export_dir| {
612                    hardlink
613                        .as_ref()
614                        .map(|hardlink| export_dir.join(hardlink.file_name().unwrap()))
615                })
616            };
617            outputs.push(OutputFile {
618                path,
619                hardlink,
620                export_path,
621                flavor: file_type.flavor,
622            });
623        }
624        Ok(outputs)
625    }
626}
627
628/// Gets the metadata hash for the given [`Unit`].
629///
630/// When a metadata hash doesn't exist for the given unit,
631/// this calls itself recursively to compute metadata hashes of all its dependencies.
632/// See [`compute_metadata`] for how a single metadata hash is computed.
633fn metadata_of<'a>(
634    unit: &Unit,
635    build_runner: &BuildRunner<'_, '_>,
636    metas: &'a mut HashMap<Unit, Metadata>,
637) -> &'a Metadata {
638    if !metas.contains_key(unit) {
639        let meta = compute_metadata(unit, build_runner, metas);
640        metas.insert(unit.clone(), meta);
641        for dep in build_runner.unit_deps(unit) {
642            metadata_of(&dep.unit, build_runner, metas);
643        }
644    }
645    &metas[unit]
646}
647
648/// Computes the metadata hash for the given [`Unit`].
649fn compute_metadata(
650    unit: &Unit,
651    build_runner: &BuildRunner<'_, '_>,
652    metas: &mut HashMap<Unit, Metadata>,
653) -> Metadata {
654    let bcx = &build_runner.bcx;
655    let deps_metadata = build_runner
656        .unit_deps(unit)
657        .iter()
658        .map(|dep| *metadata_of(&dep.unit, build_runner, metas))
659        .collect::<Vec<_>>();
660    let use_extra_filename = use_extra_filename(bcx, unit);
661
662    let mut shared_hasher = StableHasher::new();
663
664    METADATA_VERSION.hash(&mut shared_hasher);
665
666    let ws_root = if unit.is_std {
667        // SourceId for stdlib crates is an absolute path inside the sysroot.
668        // Pass the sysroot as workspace root so that we hash a relative path.
669        // This avoids the metadata hash changing depending on where the user installed rustc.
670        &bcx.target_data.get_info(unit.kind).unwrap().sysroot
671    } else {
672        bcx.ws.root()
673    };
674
675    // Unique metadata per (name, source, version) triple. This'll allow us
676    // to pull crates from anywhere without worrying about conflicts.
677    unit.pkg
678        .package_id()
679        .stable_hash(ws_root)
680        .hash(&mut shared_hasher);
681
682    // Also mix in enabled features to our metadata. This'll ensure that
683    // when changing feature sets each lib is separately cached.
684    unit.features.hash(&mut shared_hasher);
685
686    // Throw in the profile we're compiling with. This helps caching
687    // `panic=abort` and `panic=unwind` artifacts, additionally with various
688    // settings like debuginfo and whatnot.
689    unit.profile.hash(&mut shared_hasher);
690    unit.mode.hash(&mut shared_hasher);
691    build_runner.lto[unit].hash(&mut shared_hasher);
692
693    // Artifacts compiled for the host should have a different
694    // metadata piece than those compiled for the target, so make sure
695    // we throw in the unit's `kind` as well.  Use `fingerprint_hash`
696    // so that the StableHash doesn't change based on the pathnames
697    // of the custom target JSON spec files.
698    unit.kind.fingerprint_hash().hash(&mut shared_hasher);
699
700    // Finally throw in the target name/kind. This ensures that concurrent
701    // compiles of targets in the same crate don't collide.
702    unit.target.name().hash(&mut shared_hasher);
703    unit.target.kind().hash(&mut shared_hasher);
704
705    hash_rustc_version(bcx, &mut shared_hasher, unit);
706
707    if build_runner.bcx.ws.is_member(&unit.pkg) {
708        // This is primarily here for clippy. This ensures that the clippy
709        // artifacts are separate from the `check` ones.
710        if let Some(path) = &build_runner.bcx.rustc().workspace_wrapper {
711            path.hash(&mut shared_hasher);
712        }
713    }
714
715    // Seed the contents of `__CARGO_DEFAULT_LIB_METADATA` to the hasher if present.
716    // This should be the release channel, to get a different hash for each channel.
717    if let Ok(ref channel) = build_runner
718        .bcx
719        .gctx
720        .get_env("__CARGO_DEFAULT_LIB_METADATA")
721    {
722        channel.hash(&mut shared_hasher);
723    }
724
725    // std units need to be kept separate from user dependencies. std crates
726    // are differentiated in the Unit with `is_std` (for things like
727    // `-Zforce-unstable-if-unmarked`), so they are always built separately.
728    // This isn't strictly necessary for build dependencies which probably
729    // don't need unstable support. A future experiment might be to set
730    // `is_std` to false for build dependencies so that they can be shared
731    // with user dependencies.
732    unit.is_std.hash(&mut shared_hasher);
733
734    // While we don't hash RUSTFLAGS because it may contain absolute paths that
735    // hurts reproducibility, we track whether a unit's RUSTFLAGS is from host
736    // config, so that we can generate a different metadata hash for runtime
737    // and compile-time units.
738    //
739    // HACK: This is a temporary hack for fixing rust-lang/cargo#14253
740    // Need to find a long-term solution to replace this fragile workaround.
741    // See https://github.com/rust-lang/cargo/pull/14432#discussion_r1725065350
742    if unit.kind.is_host() && !bcx.gctx.target_applies_to_host().unwrap_or_default() {
743        let host_info = bcx.target_data.info(CompileKind::Host);
744        let target_configs_are_different = unit.rustflags != host_info.rustflags
745            || unit.rustdocflags != host_info.rustdocflags
746            || bcx
747                .target_data
748                .target_config(CompileKind::Host)
749                .links_overrides
750                != unit.links_overrides;
751        target_configs_are_different.hash(&mut shared_hasher);
752    }
753
754    let mut c_metadata_hasher = shared_hasher.clone();
755    // Mix in the target-metadata of all the dependencies of this target.
756    let mut dep_c_metadata_hashes = deps_metadata
757        .iter()
758        .map(|m| m.c_metadata)
759        .collect::<Vec<_>>();
760    dep_c_metadata_hashes.sort();
761    dep_c_metadata_hashes.hash(&mut c_metadata_hasher);
762
763    let mut c_extra_filename_hasher = shared_hasher.clone();
764    // Mix in the target-metadata of all the dependencies of this target.
765    let mut dep_c_extra_filename_hashes = deps_metadata
766        .iter()
767        .map(|m| m.c_extra_filename)
768        .collect::<Vec<_>>();
769    dep_c_extra_filename_hashes.sort();
770    dep_c_extra_filename_hashes.hash(&mut c_extra_filename_hasher);
771    // Avoid trashing the caches on RUSTFLAGS changing via `c_extra_filename`
772    //
773    // Limited to `c_extra_filename` to help with reproducible build / PGO issues.
774    let default = Vec::new();
775    let extra_args = build_runner.bcx.extra_args_for(unit).unwrap_or(&default);
776    if !has_remap_path_prefix(&extra_args) {
777        extra_args.hash(&mut c_extra_filename_hasher);
778    }
779    if unit.mode.is_doc() || unit.mode.is_doc_scrape() {
780        if !has_remap_path_prefix(&unit.rustdocflags) {
781            unit.rustdocflags.hash(&mut c_extra_filename_hasher);
782        }
783    } else {
784        if !has_remap_path_prefix(&unit.rustflags) {
785            unit.rustflags.hash(&mut c_extra_filename_hasher);
786        }
787    }
788
789    let c_metadata = UnitHash(Hasher::finish(&c_metadata_hasher));
790    let c_extra_filename = UnitHash(Hasher::finish(&c_extra_filename_hasher));
791    let unit_id = c_extra_filename;
792
793    let c_extra_filename = use_extra_filename.then_some(c_extra_filename);
794
795    Metadata {
796        unit_id,
797        c_metadata,
798        c_extra_filename,
799    }
800}
801
802/// HACK: Detect the *potential* presence of `--remap-path-prefix`
803///
804/// As CLI parsing is contextual and dependent on the CLI definition to understand the context, we
805/// can't say for sure whether `--remap-path-prefix` is present, so we guess if anything looks like
806/// it.
807/// If we could, we'd strip it out for hashing.
808/// Instead, we use this to avoid hashing rustflags if it might be present to avoid the risk of taking
809/// a flag that is trying to make things reproducible and making things less reproducible by the
810/// `-Cextra-filename` showing up in the rlib, even with `split-debuginfo`.
811fn has_remap_path_prefix(args: &[String]) -> bool {
812    args.iter()
813        .any(|s| s.starts_with("--remap-path-prefix=") || s == "--remap-path-prefix")
814}
815
816/// Hash the version of rustc being used during the build process.
817fn hash_rustc_version(bcx: &BuildContext<'_, '_>, hasher: &mut StableHasher, unit: &Unit) {
818    let vers = &bcx.rustc().version;
819    if vers.pre.is_empty() || bcx.gctx.cli_unstable().separate_nightlies {
820        // For stable, keep the artifacts separate. This helps if someone is
821        // testing multiple versions, to avoid recompiles. Note though that for
822        // cross-compiled builds the `host:` line of `verbose_version` is
823        // omitted since rustc should produce the same output for each target
824        // regardless of the host.
825        for line in bcx.rustc().verbose_version.lines() {
826            if unit.kind.is_host() || !line.starts_with("host: ") {
827                line.hash(hasher);
828            }
829        }
830        return;
831    }
832    // On "nightly"/"beta"/"dev"/etc, keep each "channel" separate. Don't hash
833    // the date/git information, so that whenever someone updates "nightly",
834    // they won't have a bunch of stale artifacts in the target directory.
835    //
836    // This assumes that the first segment is the important bit ("nightly",
837    // "beta", "dev", etc.). Skip other parts like the `.3` in `-beta.3`.
838    vers.pre.split('.').next().hash(hasher);
839    // Keep "host" since some people switch hosts to implicitly change
840    // targets, (like gnu vs musl or gnu vs msvc). In the future, we may want
841    // to consider hashing `unit.kind.short_name()` instead.
842    if unit.kind.is_host() {
843        bcx.rustc().host.hash(hasher);
844    }
845    // None of the other lines are important. Currently they are:
846    // binary: rustc  <-- or "rustdoc"
847    // commit-hash: 38114ff16e7856f98b2b4be7ab4cd29b38bed59a
848    // commit-date: 2020-03-21
849    // host: x86_64-apple-darwin
850    // release: 1.44.0-nightly
851    // LLVM version: 9.0
852    //
853    // The backend version ("LLVM version") might become more relevant in
854    // the future when cranelift sees more use, and people want to switch
855    // between different backends without recompiling.
856}
857
858/// Returns whether or not this unit should use a hash in the filename to make it unique.
859fn use_extra_filename(bcx: &BuildContext<'_, '_>, unit: &Unit) -> bool {
860    if unit.mode.is_doc_test() || unit.mode.is_doc() {
861        // Doc tests do not have metadata.
862        return false;
863    }
864    if unit.mode.is_any_test() || unit.mode.is_check() {
865        // These always use metadata.
866        return true;
867    }
868    // No metadata in these cases:
869    //
870    // - dylibs:
871    //   - if any dylib names are encoded in executables, so they can't be renamed.
872    //   - TODO: Maybe use `-install-name` on macOS or `-soname` on other UNIX systems
873    //     to specify the dylib name to be used by the linker instead of the filename.
874    // - Windows MSVC executables: The path to the PDB is embedded in the
875    //   executable, and we don't want the PDB path to include the hash in it.
876    // - wasm32-unknown-emscripten executables: When using emscripten, the path to the
877    //   .wasm file is embedded in the .js file, so we don't want the hash in there.
878    //
879    // This is only done for local packages, as we don't expect to export
880    // dependencies.
881    //
882    // The __CARGO_DEFAULT_LIB_METADATA env var is used to override this to
883    // force metadata in the hash. This is only used for building libstd. For
884    // example, if libstd is placed in a common location, we don't want a file
885    // named /usr/lib/libstd.so which could conflict with other rustc
886    // installs. In addition it prevents accidentally loading a libstd of a
887    // different compiler at runtime.
888    // See https://github.com/rust-lang/cargo/issues/3005
889    let short_name = bcx.target_data.short_name(&unit.kind);
890    if (unit.target.is_dylib()
891        || unit.target.is_cdylib()
892        || (unit.target.is_executable() && short_name == "wasm32-unknown-emscripten")
893        || (unit.target.is_executable() && short_name.contains("msvc")))
894        && unit.pkg.package_id().source_id().is_path()
895        && bcx.gctx.get_env("__CARGO_DEFAULT_LIB_METADATA").is_err()
896    {
897        return false;
898    }
899    true
900}