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