]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/builder.rs
Rollup merge of #97453 - lcnr:comment, r=jackh726
[rust.git] / src / bootstrap / builder.rs
1 use std::any::{type_name, Any};
2 use std::cell::{Cell, RefCell};
3 use std::collections::BTreeSet;
4 use std::env;
5 use std::ffi::OsStr;
6 use std::fmt::{Debug, Write};
7 use std::fs;
8 use std::hash::Hash;
9 use std::ops::Deref;
10 use std::path::{Component, Path, PathBuf};
11 use std::process::Command;
12 use std::time::{Duration, Instant};
13
14 use crate::cache::{Cache, Interned, INTERNER};
15 use crate::compile;
16 use crate::config::{SplitDebuginfo, TargetSelection};
17 use crate::dist;
18 use crate::doc;
19 use crate::flags::{Color, Subcommand};
20 use crate::install;
21 use crate::native;
22 use crate::run;
23 use crate::test;
24 use crate::tool::{self, SourceType};
25 use crate::util::{self, add_dylib_path, add_link_lib_path, exe, libdir, output, t};
26 use crate::EXTRA_CHECK_CFGS;
27 use crate::{check, Config};
28 use crate::{Build, CLang, DocTests, GitRepo, Mode};
29
30 pub use crate::Compiler;
31 // FIXME: replace with std::lazy after it gets stabilized and reaches beta
32 use once_cell::sync::Lazy;
33
34 pub struct Builder<'a> {
35     pub build: &'a Build,
36     pub top_stage: u32,
37     pub kind: Kind,
38     cache: Cache,
39     stack: RefCell<Vec<Box<dyn Any>>>,
40     time_spent_on_dependencies: Cell<Duration>,
41     pub paths: Vec<PathBuf>,
42 }
43
44 impl<'a> Deref for Builder<'a> {
45     type Target = Build;
46
47     fn deref(&self) -> &Self::Target {
48         self.build
49     }
50 }
51
52 pub trait Step: 'static + Clone + Debug + PartialEq + Eq + Hash {
53     /// `PathBuf` when directories are created or to return a `Compiler` once
54     /// it's been assembled.
55     type Output: Clone;
56
57     /// Whether this step is run by default as part of its respective phase.
58     /// `true` here can still be overwritten by `should_run` calling `default_condition`.
59     const DEFAULT: bool = false;
60
61     /// If true, then this rule should be skipped if --target was specified, but --host was not
62     const ONLY_HOSTS: bool = false;
63
64     /// Primary function to execute this rule. Can call `builder.ensure()`
65     /// with other steps to run those.
66     fn run(self, builder: &Builder<'_>) -> Self::Output;
67
68     /// When bootstrap is passed a set of paths, this controls whether this rule
69     /// will execute. However, it does not get called in a "default" context
70     /// when we are not passed any paths; in that case, `make_run` is called
71     /// directly.
72     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_>;
73
74     /// Builds up a "root" rule, either as a default rule or from a path passed
75     /// to us.
76     ///
77     /// When path is `None`, we are executing in a context where no paths were
78     /// passed. When `./x.py build` is run, for example, this rule could get
79     /// called if it is in the correct list below with a path of `None`.
80     fn make_run(_run: RunConfig<'_>) {
81         // It is reasonable to not have an implementation of make_run for rules
82         // who do not want to get called from the root context. This means that
83         // they are likely dependencies (e.g., sysroot creation) or similar, and
84         // as such calling them from ./x.py isn't logical.
85         unimplemented!()
86     }
87 }
88
89 pub struct RunConfig<'a> {
90     pub builder: &'a Builder<'a>,
91     pub target: TargetSelection,
92     pub path: PathBuf,
93 }
94
95 impl RunConfig<'_> {
96     pub fn build_triple(&self) -> TargetSelection {
97         self.builder.build.build
98     }
99 }
100
101 struct StepDescription {
102     default: bool,
103     only_hosts: bool,
104     should_run: fn(ShouldRun<'_>) -> ShouldRun<'_>,
105     make_run: fn(RunConfig<'_>),
106     name: &'static str,
107     kind: Kind,
108 }
109
110 #[derive(Clone, PartialOrd, Ord, PartialEq, Eq)]
111 pub struct TaskPath {
112     pub path: PathBuf,
113     pub kind: Option<Kind>,
114 }
115
116 impl TaskPath {
117     pub fn parse(path: impl Into<PathBuf>) -> TaskPath {
118         let mut kind = None;
119         let mut path = path.into();
120
121         let mut components = path.components();
122         if let Some(Component::Normal(os_str)) = components.next() {
123             if let Some(str) = os_str.to_str() {
124                 if let Some((found_kind, found_prefix)) = str.split_once("::") {
125                     if found_kind.is_empty() {
126                         panic!("empty kind in task path {}", path.display());
127                     }
128                     kind = Kind::parse(found_kind);
129                     assert!(kind.is_some());
130                     path = Path::new(found_prefix).join(components.as_path());
131                 }
132             }
133         }
134
135         TaskPath { path, kind }
136     }
137 }
138
139 impl Debug for TaskPath {
140     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
141         if let Some(kind) = &self.kind {
142             write!(f, "{}::", kind.as_str())?;
143         }
144         write!(f, "{}", self.path.display())
145     }
146 }
147
148 /// Collection of paths used to match a task rule.
149 #[derive(Debug, Clone, PartialOrd, Ord, PartialEq, Eq)]
150 pub enum PathSet {
151     /// A collection of individual paths.
152     ///
153     /// These are generally matched as a path suffix. For example, a
154     /// command-line value of `libstd` will match if `src/libstd` is in the
155     /// set.
156     Set(BTreeSet<TaskPath>),
157     /// A "suite" of paths.
158     ///
159     /// These can match as a path suffix (like `Set`), or as a prefix. For
160     /// example, a command-line value of `src/test/ui/abi/variadic-ffi.rs`
161     /// will match `src/test/ui`. A command-line value of `ui` would also
162     /// match `src/test/ui`.
163     Suite(TaskPath),
164 }
165
166 impl PathSet {
167     fn empty() -> PathSet {
168         PathSet::Set(BTreeSet::new())
169     }
170
171     fn one<P: Into<PathBuf>>(path: P, kind: Kind) -> PathSet {
172         let mut set = BTreeSet::new();
173         set.insert(TaskPath { path: path.into(), kind: Some(kind) });
174         PathSet::Set(set)
175     }
176
177     fn has(&self, needle: &Path, module: Option<Kind>) -> bool {
178         let check = |p: &TaskPath| {
179             if let (Some(p_kind), Some(kind)) = (&p.kind, module) {
180                 p.path.ends_with(needle) && *p_kind == kind
181             } else {
182                 p.path.ends_with(needle)
183             }
184         };
185
186         match self {
187             PathSet::Set(set) => set.iter().any(check),
188             PathSet::Suite(suite) => check(suite),
189         }
190     }
191
192     fn path(&self, builder: &Builder<'_>) -> PathBuf {
193         match self {
194             PathSet::Set(set) => {
195                 set.iter().next().map(|p| &p.path).unwrap_or(&builder.build.src).clone()
196             }
197             PathSet::Suite(path) => path.path.clone(),
198         }
199     }
200 }
201
202 impl StepDescription {
203     fn from<S: Step>(kind: Kind) -> StepDescription {
204         StepDescription {
205             default: S::DEFAULT,
206             only_hosts: S::ONLY_HOSTS,
207             should_run: S::should_run,
208             make_run: S::make_run,
209             name: std::any::type_name::<S>(),
210             kind,
211         }
212     }
213
214     fn maybe_run(&self, builder: &Builder<'_>, pathset: &PathSet) {
215         if self.is_excluded(builder, pathset) {
216             return;
217         }
218
219         // Determine the targets participating in this rule.
220         let targets = if self.only_hosts { &builder.hosts } else { &builder.targets };
221
222         for target in targets {
223             let run = RunConfig { builder, path: pathset.path(builder), target: *target };
224             (self.make_run)(run);
225         }
226     }
227
228     fn is_excluded(&self, builder: &Builder<'_>, pathset: &PathSet) -> bool {
229         if builder.config.exclude.iter().any(|e| pathset.has(&e.path, e.kind)) {
230             println!("Skipping {:?} because it is excluded", pathset);
231             return true;
232         }
233
234         if !builder.config.exclude.is_empty() {
235             builder.verbose(&format!(
236                 "{:?} not skipped for {:?} -- not in {:?}",
237                 pathset, self.name, builder.config.exclude
238             ));
239         }
240         false
241     }
242
243     fn run(v: &[StepDescription], builder: &Builder<'_>, paths: &[PathBuf]) {
244         let should_runs = v
245             .iter()
246             .map(|desc| (desc.should_run)(ShouldRun::new(builder, desc.kind)))
247             .collect::<Vec<_>>();
248
249         // sanity checks on rules
250         for (desc, should_run) in v.iter().zip(&should_runs) {
251             assert!(
252                 !should_run.paths.is_empty(),
253                 "{:?} should have at least one pathset",
254                 desc.name
255             );
256         }
257
258         if paths.is_empty() || builder.config.include_default_paths {
259             for (desc, should_run) in v.iter().zip(&should_runs) {
260                 if desc.default && should_run.is_really_default() {
261                     for pathset in &should_run.paths {
262                         desc.maybe_run(builder, pathset);
263                     }
264                 }
265             }
266         }
267
268         for path in paths {
269             // strip CurDir prefix if present
270             let path = match path.strip_prefix(".") {
271                 Ok(p) => p,
272                 Err(_) => path,
273             };
274
275             let mut attempted_run = false;
276             for (desc, should_run) in v.iter().zip(&should_runs) {
277                 if let Some(suite) = should_run.is_suite_path(path) {
278                     attempted_run = true;
279                     desc.maybe_run(builder, suite);
280                 } else if let Some(pathset) = should_run.pathset_for_path(path, desc.kind) {
281                     attempted_run = true;
282                     desc.maybe_run(builder, pathset);
283                 }
284             }
285
286             if !attempted_run {
287                 eprintln!(
288                     "error: no `{}` rules matched '{}'",
289                     builder.kind.as_str(),
290                     path.display()
291                 );
292                 eprintln!(
293                     "help: run `x.py {} --help --verbose` to show a list of available paths",
294                     builder.kind.as_str()
295                 );
296                 eprintln!(
297                     "note: if you are adding a new Step to bootstrap itself, make sure you register it with `describe!`"
298                 );
299                 std::process::exit(1);
300             }
301         }
302     }
303 }
304
305 enum ReallyDefault<'a> {
306     Bool(bool),
307     Lazy(Lazy<bool, Box<dyn Fn() -> bool + 'a>>),
308 }
309
310 pub struct ShouldRun<'a> {
311     pub builder: &'a Builder<'a>,
312     kind: Kind,
313
314     // use a BTreeSet to maintain sort order
315     paths: BTreeSet<PathSet>,
316
317     // If this is a default rule, this is an additional constraint placed on
318     // its run. Generally something like compiler docs being enabled.
319     is_really_default: ReallyDefault<'a>,
320 }
321
322 impl<'a> ShouldRun<'a> {
323     fn new(builder: &'a Builder<'_>, kind: Kind) -> ShouldRun<'a> {
324         ShouldRun {
325             builder,
326             kind,
327             paths: BTreeSet::new(),
328             is_really_default: ReallyDefault::Bool(true), // by default no additional conditions
329         }
330     }
331
332     pub fn default_condition(mut self, cond: bool) -> Self {
333         self.is_really_default = ReallyDefault::Bool(cond);
334         self
335     }
336
337     pub fn lazy_default_condition(mut self, lazy_cond: Box<dyn Fn() -> bool + 'a>) -> Self {
338         self.is_really_default = ReallyDefault::Lazy(Lazy::new(lazy_cond));
339         self
340     }
341
342     pub fn is_really_default(&self) -> bool {
343         match &self.is_really_default {
344             ReallyDefault::Bool(val) => *val,
345             ReallyDefault::Lazy(lazy) => *lazy.deref(),
346         }
347     }
348
349     /// Indicates it should run if the command-line selects the given crate or
350     /// any of its (local) dependencies.
351     ///
352     /// Compared to `krate`, this treats the dependencies as aliases for the
353     /// same job. Generally it is preferred to use `krate`, and treat each
354     /// individual path separately. For example `./x.py test src/liballoc`
355     /// (which uses `krate`) will test just `liballoc`. However, `./x.py check
356     /// src/liballoc` (which uses `all_krates`) will check all of `libtest`.
357     /// `all_krates` should probably be removed at some point.
358     pub fn all_krates(mut self, name: &str) -> Self {
359         let mut set = BTreeSet::new();
360         for krate in self.builder.in_tree_crates(name, None) {
361             let path = krate.local_path(self.builder);
362             set.insert(TaskPath { path, kind: Some(self.kind) });
363         }
364         self.paths.insert(PathSet::Set(set));
365         self
366     }
367
368     /// Indicates it should run if the command-line selects the given crate or
369     /// any of its (local) dependencies.
370     ///
371     /// `make_run` will be called separately for each matching command-line path.
372     pub fn krate(mut self, name: &str) -> Self {
373         for krate in self.builder.in_tree_crates(name, None) {
374             let path = krate.local_path(self.builder);
375             self.paths.insert(PathSet::one(path, self.kind));
376         }
377         self
378     }
379
380     // single alias, which does not correspond to any on-disk path
381     pub fn alias(mut self, alias: &str) -> Self {
382         assert!(
383             !self.builder.src.join(alias).exists(),
384             "use `builder.path()` for real paths: {}",
385             alias
386         );
387         self.paths.insert(PathSet::Set(
388             std::iter::once(TaskPath { path: alias.into(), kind: Some(self.kind) }).collect(),
389         ));
390         self
391     }
392
393     // single, non-aliased path
394     pub fn path(self, path: &str) -> Self {
395         self.paths(&[path])
396     }
397
398     // multiple aliases for the same job
399     pub fn paths(mut self, paths: &[&str]) -> Self {
400         self.paths.insert(PathSet::Set(
401             paths
402                 .iter()
403                 .map(|p| {
404                     // FIXME(#96188): make sure this is actually a path.
405                     // This currently breaks for paths within submodules.
406                     //assert!(
407                     //    self.builder.src.join(p).exists(),
408                     //    "`should_run.paths` should correspond to real on-disk paths - use `alias` if there is no relevant path: {}",
409                     //    p
410                     //);
411                     TaskPath { path: p.into(), kind: Some(self.kind) }
412                 })
413                 .collect(),
414         ));
415         self
416     }
417
418     pub fn is_suite_path(&self, path: &Path) -> Option<&PathSet> {
419         self.paths.iter().find(|pathset| match pathset {
420             PathSet::Suite(p) => path.starts_with(&p.path),
421             PathSet::Set(_) => false,
422         })
423     }
424
425     pub fn suite_path(mut self, suite: &str) -> Self {
426         self.paths.insert(PathSet::Suite(TaskPath { path: suite.into(), kind: Some(self.kind) }));
427         self
428     }
429
430     // allows being more explicit about why should_run in Step returns the value passed to it
431     pub fn never(mut self) -> ShouldRun<'a> {
432         self.paths.insert(PathSet::empty());
433         self
434     }
435
436     fn pathset_for_path(&self, path: &Path, kind: Kind) -> Option<&PathSet> {
437         self.paths.iter().find(|pathset| pathset.has(path, Some(kind)))
438     }
439 }
440
441 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug)]
442 pub enum Kind {
443     Build,
444     Check,
445     Clippy,
446     Fix,
447     Format,
448     Test,
449     Bench,
450     Doc,
451     Clean,
452     Dist,
453     Install,
454     Run,
455     Setup,
456 }
457
458 impl Kind {
459     pub fn parse(string: &str) -> Option<Kind> {
460         // these strings, including the one-letter aliases, must match the x.py help text
461         Some(match string {
462             "build" | "b" => Kind::Build,
463             "check" | "c" => Kind::Check,
464             "clippy" => Kind::Clippy,
465             "fix" => Kind::Fix,
466             "fmt" => Kind::Format,
467             "test" | "t" => Kind::Test,
468             "bench" => Kind::Bench,
469             "doc" | "d" => Kind::Doc,
470             "clean" => Kind::Clean,
471             "dist" => Kind::Dist,
472             "install" => Kind::Install,
473             "run" | "r" => Kind::Run,
474             "setup" => Kind::Setup,
475             _ => return None,
476         })
477     }
478
479     pub fn as_str(&self) -> &'static str {
480         match self {
481             Kind::Build => "build",
482             Kind::Check => "check",
483             Kind::Clippy => "clippy",
484             Kind::Fix => "fix",
485             Kind::Format => "fmt",
486             Kind::Test => "test",
487             Kind::Bench => "bench",
488             Kind::Doc => "doc",
489             Kind::Clean => "clean",
490             Kind::Dist => "dist",
491             Kind::Install => "install",
492             Kind::Run => "run",
493             Kind::Setup => "setup",
494         }
495     }
496 }
497
498 impl<'a> Builder<'a> {
499     fn get_step_descriptions(kind: Kind) -> Vec<StepDescription> {
500         macro_rules! describe {
501             ($($rule:ty),+ $(,)?) => {{
502                 vec![$(StepDescription::from::<$rule>(kind)),+]
503             }};
504         }
505         match kind {
506             Kind::Build => describe!(
507                 compile::Std,
508                 compile::Assemble,
509                 compile::CodegenBackend,
510                 compile::StartupObjects,
511                 tool::BuildManifest,
512                 tool::Rustbook,
513                 tool::ErrorIndex,
514                 tool::UnstableBookGen,
515                 tool::Tidy,
516                 tool::Linkchecker,
517                 tool::CargoTest,
518                 tool::Compiletest,
519                 tool::RemoteTestServer,
520                 tool::RemoteTestClient,
521                 tool::RustInstaller,
522                 tool::Cargo,
523                 tool::Rls,
524                 tool::RustAnalyzer,
525                 tool::RustDemangler,
526                 tool::Rustdoc,
527                 tool::Clippy,
528                 tool::CargoClippy,
529                 native::Llvm,
530                 native::Sanitizers,
531                 tool::Rustfmt,
532                 tool::Miri,
533                 tool::CargoMiri,
534                 native::Lld,
535                 native::CrtBeginEnd
536             ),
537             Kind::Check | Kind::Clippy | Kind::Fix => describe!(
538                 check::Std,
539                 check::Rustc,
540                 check::Rustdoc,
541                 check::CodegenBackend,
542                 check::Clippy,
543                 check::Miri,
544                 check::Rls,
545                 check::Rustfmt,
546                 check::Bootstrap
547             ),
548             Kind::Test => describe!(
549                 crate::toolstate::ToolStateCheck,
550                 test::ExpandYamlAnchors,
551                 test::Tidy,
552                 test::Ui,
553                 test::RunPassValgrind,
554                 test::MirOpt,
555                 test::Codegen,
556                 test::CodegenUnits,
557                 test::Assembly,
558                 test::Incremental,
559                 test::Debuginfo,
560                 test::UiFullDeps,
561                 test::Rustdoc,
562                 test::Pretty,
563                 test::Crate,
564                 test::CrateLibrustc,
565                 test::CrateRustdoc,
566                 test::CrateRustdocJsonTypes,
567                 test::Linkcheck,
568                 test::TierCheck,
569                 test::Cargotest,
570                 test::Cargo,
571                 test::Rls,
572                 test::ErrorIndex,
573                 test::Distcheck,
574                 test::RunMakeFullDeps,
575                 test::Nomicon,
576                 test::Reference,
577                 test::RustdocBook,
578                 test::RustByExample,
579                 test::TheBook,
580                 test::UnstableBook,
581                 test::RustcBook,
582                 test::LintDocs,
583                 test::RustcGuide,
584                 test::EmbeddedBook,
585                 test::EditionGuide,
586                 test::Rustfmt,
587                 test::Miri,
588                 test::Clippy,
589                 test::RustDemangler,
590                 test::CompiletestTest,
591                 test::RustdocJSStd,
592                 test::RustdocJSNotStd,
593                 test::RustdocGUI,
594                 test::RustdocTheme,
595                 test::RustdocUi,
596                 test::RustdocJson,
597                 test::HtmlCheck,
598                 // Run bootstrap close to the end as it's unlikely to fail
599                 test::Bootstrap,
600                 // Run run-make last, since these won't pass without make on Windows
601                 test::RunMake,
602             ),
603             Kind::Bench => describe!(test::Crate, test::CrateLibrustc),
604             Kind::Doc => describe!(
605                 doc::UnstableBook,
606                 doc::UnstableBookGen,
607                 doc::TheBook,
608                 doc::Standalone,
609                 doc::Std,
610                 doc::Rustc,
611                 doc::Rustdoc,
612                 doc::Rustfmt,
613                 doc::ErrorIndex,
614                 doc::Nomicon,
615                 doc::Reference,
616                 doc::RustdocBook,
617                 doc::RustByExample,
618                 doc::RustcBook,
619                 doc::CargoBook,
620                 doc::Clippy,
621                 doc::EmbeddedBook,
622                 doc::EditionGuide,
623             ),
624             Kind::Dist => describe!(
625                 dist::Docs,
626                 dist::RustcDocs,
627                 dist::Mingw,
628                 dist::Rustc,
629                 dist::Std,
630                 dist::RustcDev,
631                 dist::Analysis,
632                 dist::Src,
633                 dist::Cargo,
634                 dist::Rls,
635                 dist::RustAnalyzer,
636                 dist::Rustfmt,
637                 dist::RustDemangler,
638                 dist::Clippy,
639                 dist::Miri,
640                 dist::LlvmTools,
641                 dist::RustDev,
642                 dist::Extended,
643                 // It seems that PlainSourceTarball somehow changes how some of the tools
644                 // perceive their dependencies (see #93033) which would invalidate fingerprints
645                 // and force us to rebuild tools after vendoring dependencies.
646                 // To work around this, create the Tarball after building all the tools.
647                 dist::PlainSourceTarball,
648                 dist::BuildManifest,
649                 dist::ReproducibleArtifacts,
650             ),
651             Kind::Install => describe!(
652                 install::Docs,
653                 install::Std,
654                 install::Cargo,
655                 install::Rls,
656                 install::RustAnalyzer,
657                 install::Rustfmt,
658                 install::RustDemangler,
659                 install::Clippy,
660                 install::Miri,
661                 install::Analysis,
662                 install::Src,
663                 install::Rustc
664             ),
665             Kind::Run => describe!(run::ExpandYamlAnchors, run::BuildManifest, run::BumpStage0),
666             // These commands either don't use paths, or they're special-cased in Build::build()
667             Kind::Clean | Kind::Format | Kind::Setup => vec![],
668         }
669     }
670
671     pub fn get_help(build: &Build, kind: Kind) -> Option<String> {
672         let step_descriptions = Builder::get_step_descriptions(kind);
673         if step_descriptions.is_empty() {
674             return None;
675         }
676
677         let builder = Self::new_internal(build, kind, vec![]);
678         let builder = &builder;
679         // The "build" kind here is just a placeholder, it will be replaced with something else in
680         // the following statement.
681         let mut should_run = ShouldRun::new(builder, Kind::Build);
682         for desc in step_descriptions {
683             should_run.kind = desc.kind;
684             should_run = (desc.should_run)(should_run);
685         }
686         let mut help = String::from("Available paths:\n");
687         let mut add_path = |path: &Path| {
688             t!(write!(help, "    ./x.py {} {}\n", kind.as_str(), path.display()));
689         };
690         for pathset in should_run.paths {
691             match pathset {
692                 PathSet::Set(set) => {
693                     for path in set {
694                         add_path(&path.path);
695                     }
696                 }
697                 PathSet::Suite(path) => {
698                     add_path(&path.path.join("..."));
699                 }
700             }
701         }
702         Some(help)
703     }
704
705     fn new_internal(build: &Build, kind: Kind, paths: Vec<PathBuf>) -> Builder<'_> {
706         Builder {
707             build,
708             top_stage: build.config.stage,
709             kind,
710             cache: Cache::new(),
711             stack: RefCell::new(Vec::new()),
712             time_spent_on_dependencies: Cell::new(Duration::new(0, 0)),
713             paths,
714         }
715     }
716
717     pub fn new(build: &Build) -> Builder<'_> {
718         let (kind, paths) = match build.config.cmd {
719             Subcommand::Build { ref paths } => (Kind::Build, &paths[..]),
720             Subcommand::Check { ref paths } => (Kind::Check, &paths[..]),
721             Subcommand::Clippy { ref paths, .. } => (Kind::Clippy, &paths[..]),
722             Subcommand::Fix { ref paths } => (Kind::Fix, &paths[..]),
723             Subcommand::Doc { ref paths, .. } => (Kind::Doc, &paths[..]),
724             Subcommand::Test { ref paths, .. } => (Kind::Test, &paths[..]),
725             Subcommand::Bench { ref paths, .. } => (Kind::Bench, &paths[..]),
726             Subcommand::Dist { ref paths } => (Kind::Dist, &paths[..]),
727             Subcommand::Install { ref paths } => (Kind::Install, &paths[..]),
728             Subcommand::Run { ref paths } => (Kind::Run, &paths[..]),
729             Subcommand::Format { .. } | Subcommand::Clean { .. } | Subcommand::Setup { .. } => {
730                 panic!()
731             }
732         };
733
734         Self::new_internal(build, kind, paths.to_owned())
735     }
736
737     pub fn execute_cli(&self) {
738         self.run_step_descriptions(&Builder::get_step_descriptions(self.kind), &self.paths);
739     }
740
741     pub fn default_doc(&self, paths: &[PathBuf]) {
742         self.run_step_descriptions(&Builder::get_step_descriptions(Kind::Doc), paths);
743     }
744
745     /// NOTE: keep this in sync with `rustdoc::clean::utils::doc_rust_lang_org_channel`, or tests will fail on beta/stable.
746     pub fn doc_rust_lang_org_channel(&self) -> String {
747         let channel = match &*self.config.channel {
748             "stable" => &self.version,
749             "beta" => "beta",
750             "nightly" | "dev" => "nightly",
751             // custom build of rustdoc maybe? link to the latest stable docs just in case
752             _ => "stable",
753         };
754         "https://doc.rust-lang.org/".to_owned() + channel
755     }
756
757     fn run_step_descriptions(&self, v: &[StepDescription], paths: &[PathBuf]) {
758         StepDescription::run(v, self, paths);
759     }
760
761     /// Obtain a compiler at a given stage and for a given host. Explicitly does
762     /// not take `Compiler` since all `Compiler` instances are meant to be
763     /// obtained through this function, since it ensures that they are valid
764     /// (i.e., built and assembled).
765     pub fn compiler(&self, stage: u32, host: TargetSelection) -> Compiler {
766         self.ensure(compile::Assemble { target_compiler: Compiler { stage, host } })
767     }
768
769     /// Similar to `compiler`, except handles the full-bootstrap option to
770     /// silently use the stage1 compiler instead of a stage2 compiler if one is
771     /// requested.
772     ///
773     /// Note that this does *not* have the side effect of creating
774     /// `compiler(stage, host)`, unlike `compiler` above which does have such
775     /// a side effect. The returned compiler here can only be used to compile
776     /// new artifacts, it can't be used to rely on the presence of a particular
777     /// sysroot.
778     ///
779     /// See `force_use_stage1` for documentation on what each argument is.
780     pub fn compiler_for(
781         &self,
782         stage: u32,
783         host: TargetSelection,
784         target: TargetSelection,
785     ) -> Compiler {
786         if self.build.force_use_stage1(Compiler { stage, host }, target) {
787             self.compiler(1, self.config.build)
788         } else {
789             self.compiler(stage, host)
790         }
791     }
792
793     pub fn sysroot(&self, compiler: Compiler) -> Interned<PathBuf> {
794         self.ensure(compile::Sysroot { compiler })
795     }
796
797     /// Returns the libdir where the standard library and other artifacts are
798     /// found for a compiler's sysroot.
799     pub fn sysroot_libdir(&self, compiler: Compiler, target: TargetSelection) -> Interned<PathBuf> {
800         #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
801         struct Libdir {
802             compiler: Compiler,
803             target: TargetSelection,
804         }
805         impl Step for Libdir {
806             type Output = Interned<PathBuf>;
807
808             fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
809                 run.never()
810             }
811
812             fn run(self, builder: &Builder<'_>) -> Interned<PathBuf> {
813                 let lib = builder.sysroot_libdir_relative(self.compiler);
814                 let sysroot = builder
815                     .sysroot(self.compiler)
816                     .join(lib)
817                     .join("rustlib")
818                     .join(self.target.triple)
819                     .join("lib");
820                 // Avoid deleting the rustlib/ directory we just copied
821                 // (in `impl Step for Sysroot`).
822                 if !builder.config.download_rustc {
823                     let _ = fs::remove_dir_all(&sysroot);
824                     t!(fs::create_dir_all(&sysroot));
825                 }
826                 INTERNER.intern_path(sysroot)
827             }
828         }
829         self.ensure(Libdir { compiler, target })
830     }
831
832     pub fn sysroot_codegen_backends(&self, compiler: Compiler) -> PathBuf {
833         self.sysroot_libdir(compiler, compiler.host).with_file_name("codegen-backends")
834     }
835
836     /// Returns the compiler's libdir where it stores the dynamic libraries that
837     /// it itself links against.
838     ///
839     /// For example this returns `<sysroot>/lib` on Unix and `<sysroot>/bin` on
840     /// Windows.
841     pub fn rustc_libdir(&self, compiler: Compiler) -> PathBuf {
842         if compiler.is_snapshot(self) {
843             self.rustc_snapshot_libdir()
844         } else {
845             match self.config.libdir_relative() {
846                 Some(relative_libdir) if compiler.stage >= 1 => {
847                     self.sysroot(compiler).join(relative_libdir)
848                 }
849                 _ => self.sysroot(compiler).join(libdir(compiler.host)),
850             }
851         }
852     }
853
854     /// Returns the compiler's relative libdir where it stores the dynamic libraries that
855     /// it itself links against.
856     ///
857     /// For example this returns `lib` on Unix and `bin` on
858     /// Windows.
859     pub fn libdir_relative(&self, compiler: Compiler) -> &Path {
860         if compiler.is_snapshot(self) {
861             libdir(self.config.build).as_ref()
862         } else {
863             match self.config.libdir_relative() {
864                 Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
865                 _ => libdir(compiler.host).as_ref(),
866             }
867         }
868     }
869
870     /// Returns the compiler's relative libdir where the standard library and other artifacts are
871     /// found for a compiler's sysroot.
872     ///
873     /// For example this returns `lib` on Unix and Windows.
874     pub fn sysroot_libdir_relative(&self, compiler: Compiler) -> &Path {
875         match self.config.libdir_relative() {
876             Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
877             _ if compiler.stage == 0 => &self.build.initial_libdir,
878             _ => Path::new("lib"),
879         }
880     }
881
882     pub fn rustc_lib_paths(&self, compiler: Compiler) -> Vec<PathBuf> {
883         let mut dylib_dirs = vec![self.rustc_libdir(compiler)];
884
885         // Ensure that the downloaded LLVM libraries can be found.
886         if self.config.llvm_from_ci {
887             let ci_llvm_lib = self.out.join(&*compiler.host.triple).join("ci-llvm").join("lib");
888             dylib_dirs.push(ci_llvm_lib);
889         }
890
891         dylib_dirs
892     }
893
894     /// Adds the compiler's directory of dynamic libraries to `cmd`'s dynamic
895     /// library lookup path.
896     pub fn add_rustc_lib_path(&self, compiler: Compiler, cmd: &mut Command) {
897         // Windows doesn't need dylib path munging because the dlls for the
898         // compiler live next to the compiler and the system will find them
899         // automatically.
900         if cfg!(windows) {
901             return;
902         }
903
904         add_dylib_path(self.rustc_lib_paths(compiler), cmd);
905     }
906
907     /// Gets a path to the compiler specified.
908     pub fn rustc(&self, compiler: Compiler) -> PathBuf {
909         if compiler.is_snapshot(self) {
910             self.initial_rustc.clone()
911         } else {
912             self.sysroot(compiler).join("bin").join(exe("rustc", compiler.host))
913         }
914     }
915
916     /// Gets the paths to all of the compiler's codegen backends.
917     fn codegen_backends(&self, compiler: Compiler) -> impl Iterator<Item = PathBuf> {
918         fs::read_dir(self.sysroot_codegen_backends(compiler))
919             .into_iter()
920             .flatten()
921             .filter_map(Result::ok)
922             .map(|entry| entry.path())
923     }
924
925     pub fn rustdoc(&self, compiler: Compiler) -> PathBuf {
926         self.ensure(tool::Rustdoc { compiler })
927     }
928
929     pub fn rustdoc_cmd(&self, compiler: Compiler) -> Command {
930         let mut cmd = Command::new(&self.bootstrap_out.join("rustdoc"));
931         cmd.env("RUSTC_STAGE", compiler.stage.to_string())
932             .env("RUSTC_SYSROOT", self.sysroot(compiler))
933             // Note that this is *not* the sysroot_libdir because rustdoc must be linked
934             // equivalently to rustc.
935             .env("RUSTDOC_LIBDIR", self.rustc_libdir(compiler))
936             .env("CFG_RELEASE_CHANNEL", &self.config.channel)
937             .env("RUSTDOC_REAL", self.rustdoc(compiler))
938             .env("RUSTC_BOOTSTRAP", "1");
939
940         cmd.arg("-Wrustdoc::invalid_codeblock_attributes");
941
942         if self.config.deny_warnings {
943             cmd.arg("-Dwarnings");
944         }
945         cmd.arg("-Znormalize-docs");
946
947         // Remove make-related flags that can cause jobserver problems.
948         cmd.env_remove("MAKEFLAGS");
949         cmd.env_remove("MFLAGS");
950
951         if let Some(linker) = self.linker(compiler.host) {
952             cmd.env("RUSTDOC_LINKER", linker);
953         }
954         if self.is_fuse_ld_lld(compiler.host) {
955             cmd.env("RUSTDOC_FUSE_LD_LLD", "1");
956         }
957         cmd
958     }
959
960     /// Return the path to `llvm-config` for the target, if it exists.
961     ///
962     /// Note that this returns `None` if LLVM is disabled, or if we're in a
963     /// check build or dry-run, where there's no need to build all of LLVM.
964     fn llvm_config(&self, target: TargetSelection) -> Option<PathBuf> {
965         if self.config.llvm_enabled() && self.kind != Kind::Check && !self.config.dry_run {
966             let llvm_config = self.ensure(native::Llvm { target });
967             if llvm_config.is_file() {
968                 return Some(llvm_config);
969             }
970         }
971         None
972     }
973
974     /// Convenience wrapper to allow `builder.llvm_link_shared()` instead of `builder.config.llvm_link_shared(&builder)`.
975     pub(crate) fn llvm_link_shared(&self) -> bool {
976         Config::llvm_link_shared(self)
977     }
978
979     /// Prepares an invocation of `cargo` to be run.
980     ///
981     /// This will create a `Command` that represents a pending execution of
982     /// Cargo. This cargo will be configured to use `compiler` as the actual
983     /// rustc compiler, its output will be scoped by `mode`'s output directory,
984     /// it will pass the `--target` flag for the specified `target`, and will be
985     /// executing the Cargo command `cmd`.
986     pub fn cargo(
987         &self,
988         compiler: Compiler,
989         mode: Mode,
990         source_type: SourceType,
991         target: TargetSelection,
992         cmd: &str,
993     ) -> Cargo {
994         let mut cargo = Command::new(&self.initial_cargo);
995         let out_dir = self.stage_out(compiler, mode);
996
997         // Codegen backends are not yet tracked by -Zbinary-dep-depinfo,
998         // so we need to explicitly clear out if they've been updated.
999         for backend in self.codegen_backends(compiler) {
1000             self.clear_if_dirty(&out_dir, &backend);
1001         }
1002
1003         if cmd == "doc" || cmd == "rustdoc" {
1004             let my_out = match mode {
1005                 // This is the intended out directory for compiler documentation.
1006                 Mode::Rustc | Mode::ToolRustc => self.compiler_doc_out(target),
1007                 Mode::Std => out_dir.join(target.triple).join("doc"),
1008                 _ => panic!("doc mode {:?} not expected", mode),
1009             };
1010             let rustdoc = self.rustdoc(compiler);
1011             self.clear_if_dirty(&my_out, &rustdoc);
1012         }
1013
1014         cargo.env("CARGO_TARGET_DIR", &out_dir).arg(cmd);
1015
1016         let profile_var = |name: &str| {
1017             let profile = if self.config.rust_optimize { "RELEASE" } else { "DEV" };
1018             format!("CARGO_PROFILE_{}_{}", profile, name)
1019         };
1020
1021         // See comment in rustc_llvm/build.rs for why this is necessary, largely llvm-config
1022         // needs to not accidentally link to libLLVM in stage0/lib.
1023         cargo.env("REAL_LIBRARY_PATH_VAR", &util::dylib_path_var());
1024         if let Some(e) = env::var_os(util::dylib_path_var()) {
1025             cargo.env("REAL_LIBRARY_PATH", e);
1026         }
1027
1028         // Found with `rg "init_env_logger\("`. If anyone uses `init_env_logger`
1029         // from out of tree it shouldn't matter, since x.py is only used for
1030         // building in-tree.
1031         let color_logs = ["RUSTDOC_LOG_COLOR", "RUSTC_LOG_COLOR", "RUST_LOG_COLOR"];
1032         match self.build.config.color {
1033             Color::Always => {
1034                 cargo.arg("--color=always");
1035                 for log in &color_logs {
1036                     cargo.env(log, "always");
1037                 }
1038             }
1039             Color::Never => {
1040                 cargo.arg("--color=never");
1041                 for log in &color_logs {
1042                     cargo.env(log, "never");
1043                 }
1044             }
1045             Color::Auto => {} // nothing to do
1046         }
1047
1048         if cmd != "install" {
1049             cargo.arg("--target").arg(target.rustc_target_arg());
1050         } else {
1051             assert_eq!(target, compiler.host);
1052         }
1053
1054         // Set a flag for `check`/`clippy`/`fix`, so that certain build
1055         // scripts can do less work (i.e. not building/requiring LLVM).
1056         if cmd == "check" || cmd == "clippy" || cmd == "fix" {
1057             // If we've not yet built LLVM, or it's stale, then bust
1058             // the rustc_llvm cache. That will always work, even though it
1059             // may mean that on the next non-check build we'll need to rebuild
1060             // rustc_llvm. But if LLVM is stale, that'll be a tiny amount
1061             // of work comparatively, and we'd likely need to rebuild it anyway,
1062             // so that's okay.
1063             if crate::native::prebuilt_llvm_config(self, target).is_err() {
1064                 cargo.env("RUST_CHECK", "1");
1065             }
1066         }
1067
1068         let stage = if compiler.stage == 0 && self.local_rebuild {
1069             // Assume the local-rebuild rustc already has stage1 features.
1070             1
1071         } else {
1072             compiler.stage
1073         };
1074
1075         let mut rustflags = Rustflags::new(target);
1076         if stage != 0 {
1077             if let Ok(s) = env::var("CARGOFLAGS_NOT_BOOTSTRAP") {
1078                 cargo.args(s.split_whitespace());
1079             }
1080             rustflags.env("RUSTFLAGS_NOT_BOOTSTRAP");
1081         } else {
1082             if let Ok(s) = env::var("CARGOFLAGS_BOOTSTRAP") {
1083                 cargo.args(s.split_whitespace());
1084             }
1085             rustflags.env("RUSTFLAGS_BOOTSTRAP");
1086             if cmd == "clippy" {
1087                 // clippy overwrites sysroot if we pass it to cargo.
1088                 // Pass it directly to clippy instead.
1089                 // NOTE: this can't be fixed in clippy because we explicitly don't set `RUSTC`,
1090                 // so it has no way of knowing the sysroot.
1091                 rustflags.arg("--sysroot");
1092                 rustflags.arg(
1093                     self.sysroot(compiler)
1094                         .as_os_str()
1095                         .to_str()
1096                         .expect("sysroot must be valid UTF-8"),
1097                 );
1098                 // Only run clippy on a very limited subset of crates (in particular, not build scripts).
1099                 cargo.arg("-Zunstable-options");
1100                 // Explicitly does *not* set `--cfg=bootstrap`, since we're using a nightly clippy.
1101                 let host_version = Command::new("rustc").arg("--version").output().map_err(|_| ());
1102                 let output = host_version.and_then(|output| {
1103                     if output.status.success() {
1104                         Ok(output)
1105                     } else {
1106                         Err(())
1107                     }
1108                 }).unwrap_or_else(|_| {
1109                     eprintln!(
1110                         "error: `x.py clippy` requires a host `rustc` toolchain with the `clippy` component"
1111                     );
1112                     eprintln!("help: try `rustup component add clippy`");
1113                     std::process::exit(1);
1114                 });
1115                 if !t!(std::str::from_utf8(&output.stdout)).contains("nightly") {
1116                     rustflags.arg("--cfg=bootstrap");
1117                 }
1118             } else {
1119                 rustflags.arg("--cfg=bootstrap");
1120             }
1121         }
1122
1123         let use_new_symbol_mangling = match self.config.rust_new_symbol_mangling {
1124             Some(setting) => {
1125                 // If an explicit setting is given, use that
1126                 setting
1127             }
1128             None => {
1129                 if mode == Mode::Std {
1130                     // The standard library defaults to the legacy scheme
1131                     false
1132                 } else {
1133                     // The compiler and tools default to the new scheme
1134                     true
1135                 }
1136             }
1137         };
1138
1139         if use_new_symbol_mangling {
1140             rustflags.arg("-Csymbol-mangling-version=v0");
1141         } else {
1142             rustflags.arg("-Csymbol-mangling-version=legacy");
1143             rustflags.arg("-Zunstable-options");
1144         }
1145
1146         // FIXME(Urgau): This a hack as it shouldn't be gated on stage 0 but until `rustc_llvm`
1147         // is made to work with `--check-cfg` which is currently not easly possible until cargo
1148         // get some support for setting `--check-cfg` within build script, it's the least invasive
1149         // hack that still let's us have cfg checking for the vast majority of the codebase.
1150         if stage != 0 {
1151             // Enable cfg checking of cargo features for everything but std.
1152             //
1153             // Note: `std`, `alloc` and `core` imports some dependencies by #[path] (like
1154             // backtrace, core_simd, std_float, ...), those dependencies have their own features
1155             // but cargo isn't involved in the #[path] and so cannot pass the complete list of
1156             // features, so for that reason we don't enable checking of features for std.
1157             //
1158             // FIXME: Re-enable this after the beta bump as apperently rustc-perf doesn't use the
1159             // beta cargo. See https://github.com/rust-lang/rust/pull/96984#issuecomment-1126678773
1160             // #[cfg(not(bootstrap))]
1161             // if mode != Mode::Std {
1162             //     cargo.arg("-Zcheck-cfg-features"); // -Zcheck-cfg=features after bump
1163             // }
1164
1165             // Enable cfg checking of well known names/values
1166             rustflags
1167                 .arg("-Zunstable-options")
1168                 // Enable checking of well known names
1169                 .arg("--check-cfg=names()")
1170                 // Enable checking of well known values
1171                 .arg("--check-cfg=values()");
1172
1173             // Add extra cfg not defined in rustc
1174             for (restricted_mode, name, values) in EXTRA_CHECK_CFGS {
1175                 if *restricted_mode == None || *restricted_mode == Some(mode) {
1176                     // Creating a string of the values by concatenating each value:
1177                     // ',"tvos","watchos"' or '' (nothing) when there are no values
1178                     let values = match values {
1179                         Some(values) => values
1180                             .iter()
1181                             .map(|val| [",", "\"", val, "\""])
1182                             .flatten()
1183                             .collect::<String>(),
1184                         None => String::new(),
1185                     };
1186                     rustflags.arg(&format!("--check-cfg=values({name}{values})"));
1187                 }
1188             }
1189         }
1190
1191         // FIXME: It might be better to use the same value for both `RUSTFLAGS` and `RUSTDOCFLAGS`,
1192         // but this breaks CI. At the very least, stage0 `rustdoc` needs `--cfg bootstrap`. See
1193         // #71458.
1194         let mut rustdocflags = rustflags.clone();
1195         rustdocflags.propagate_cargo_env("RUSTDOCFLAGS");
1196         if stage == 0 {
1197             rustdocflags.env("RUSTDOCFLAGS_BOOTSTRAP");
1198         } else {
1199             rustdocflags.env("RUSTDOCFLAGS_NOT_BOOTSTRAP");
1200         }
1201
1202         if let Ok(s) = env::var("CARGOFLAGS") {
1203             cargo.args(s.split_whitespace());
1204         }
1205
1206         match mode {
1207             Mode::Std | Mode::ToolBootstrap | Mode::ToolStd => {}
1208             Mode::Rustc | Mode::Codegen | Mode::ToolRustc => {
1209                 // Build proc macros both for the host and the target
1210                 if target != compiler.host && cmd != "check" {
1211                     cargo.arg("-Zdual-proc-macros");
1212                     rustflags.arg("-Zdual-proc-macros");
1213                 }
1214             }
1215         }
1216
1217         // This tells Cargo (and in turn, rustc) to output more complete
1218         // dependency information.  Most importantly for rustbuild, this
1219         // includes sysroot artifacts, like libstd, which means that we don't
1220         // need to track those in rustbuild (an error prone process!). This
1221         // feature is currently unstable as there may be some bugs and such, but
1222         // it represents a big improvement in rustbuild's reliability on
1223         // rebuilds, so we're using it here.
1224         //
1225         // For some additional context, see #63470 (the PR originally adding
1226         // this), as well as #63012 which is the tracking issue for this
1227         // feature on the rustc side.
1228         cargo.arg("-Zbinary-dep-depinfo");
1229         match mode {
1230             Mode::ToolBootstrap => {
1231                 // Restrict the allowed features to those passed by rustbuild, so we don't depend on nightly accidentally.
1232                 // HACK: because anyhow does feature detection in build.rs, we need to allow the backtrace feature too.
1233                 rustflags.arg("-Zallow-features=binary-dep-depinfo,backtrace");
1234             }
1235             Mode::ToolStd => {
1236                 // Right now this is just compiletest and a few other tools that build on stable.
1237                 // Allow them to use `feature(test)`, but nothing else.
1238                 rustflags.arg("-Zallow-features=binary-dep-depinfo,test,backtrace");
1239             }
1240             Mode::Std | Mode::Rustc | Mode::Codegen | Mode::ToolRustc => {}
1241         }
1242
1243         cargo.arg("-j").arg(self.jobs().to_string());
1244         // Remove make-related flags to ensure Cargo can correctly set things up
1245         cargo.env_remove("MAKEFLAGS");
1246         cargo.env_remove("MFLAGS");
1247
1248         // FIXME: Temporary fix for https://github.com/rust-lang/cargo/issues/3005
1249         // Force cargo to output binaries with disambiguating hashes in the name
1250         let mut metadata = if compiler.stage == 0 {
1251             // Treat stage0 like a special channel, whether it's a normal prior-
1252             // release rustc or a local rebuild with the same version, so we
1253             // never mix these libraries by accident.
1254             "bootstrap".to_string()
1255         } else {
1256             self.config.channel.to_string()
1257         };
1258         // We want to make sure that none of the dependencies between
1259         // std/test/rustc unify with one another. This is done for weird linkage
1260         // reasons but the gist of the problem is that if librustc, libtest, and
1261         // libstd all depend on libc from crates.io (which they actually do) we
1262         // want to make sure they all get distinct versions. Things get really
1263         // weird if we try to unify all these dependencies right now, namely
1264         // around how many times the library is linked in dynamic libraries and
1265         // such. If rustc were a static executable or if we didn't ship dylibs
1266         // this wouldn't be a problem, but we do, so it is. This is in general
1267         // just here to make sure things build right. If you can remove this and
1268         // things still build right, please do!
1269         match mode {
1270             Mode::Std => metadata.push_str("std"),
1271             // When we're building rustc tools, they're built with a search path
1272             // that contains things built during the rustc build. For example,
1273             // bitflags is built during the rustc build, and is a dependency of
1274             // rustdoc as well. We're building rustdoc in a different target
1275             // directory, though, which means that Cargo will rebuild the
1276             // dependency. When we go on to build rustdoc, we'll look for
1277             // bitflags, and find two different copies: one built during the
1278             // rustc step and one that we just built. This isn't always a
1279             // problem, somehow -- not really clear why -- but we know that this
1280             // fixes things.
1281             Mode::ToolRustc => metadata.push_str("tool-rustc"),
1282             // Same for codegen backends.
1283             Mode::Codegen => metadata.push_str("codegen"),
1284             _ => {}
1285         }
1286         cargo.env("__CARGO_DEFAULT_LIB_METADATA", &metadata);
1287
1288         if cmd == "clippy" {
1289             rustflags.arg("-Zforce-unstable-if-unmarked");
1290         }
1291
1292         rustflags.arg("-Zmacro-backtrace");
1293
1294         let want_rustdoc = self.doc_tests != DocTests::No;
1295
1296         // We synthetically interpret a stage0 compiler used to build tools as a
1297         // "raw" compiler in that it's the exact snapshot we download. Normally
1298         // the stage0 build means it uses libraries build by the stage0
1299         // compiler, but for tools we just use the precompiled libraries that
1300         // we've downloaded
1301         let use_snapshot = mode == Mode::ToolBootstrap;
1302         assert!(!use_snapshot || stage == 0 || self.local_rebuild);
1303
1304         let maybe_sysroot = self.sysroot(compiler);
1305         let sysroot = if use_snapshot { self.rustc_snapshot_sysroot() } else { &maybe_sysroot };
1306         let libdir = self.rustc_libdir(compiler);
1307
1308         // Clear the output directory if the real rustc we're using has changed;
1309         // Cargo cannot detect this as it thinks rustc is bootstrap/debug/rustc.
1310         //
1311         // Avoid doing this during dry run as that usually means the relevant
1312         // compiler is not yet linked/copied properly.
1313         //
1314         // Only clear out the directory if we're compiling std; otherwise, we
1315         // should let Cargo take care of things for us (via depdep info)
1316         if !self.config.dry_run && mode == Mode::Std && cmd == "build" {
1317             self.clear_if_dirty(&out_dir, &self.rustc(compiler));
1318         }
1319
1320         // Customize the compiler we're running. Specify the compiler to cargo
1321         // as our shim and then pass it some various options used to configure
1322         // how the actual compiler itself is called.
1323         //
1324         // These variables are primarily all read by
1325         // src/bootstrap/bin/{rustc.rs,rustdoc.rs}
1326         cargo
1327             .env("RUSTBUILD_NATIVE_DIR", self.native_dir(target))
1328             .env("RUSTC_REAL", self.rustc(compiler))
1329             .env("RUSTC_STAGE", stage.to_string())
1330             .env("RUSTC_SYSROOT", &sysroot)
1331             .env("RUSTC_LIBDIR", &libdir)
1332             .env("RUSTDOC", self.bootstrap_out.join("rustdoc"))
1333             .env(
1334                 "RUSTDOC_REAL",
1335                 if cmd == "doc" || cmd == "rustdoc" || (cmd == "test" && want_rustdoc) {
1336                     self.rustdoc(compiler)
1337                 } else {
1338                     PathBuf::from("/path/to/nowhere/rustdoc/not/required")
1339                 },
1340             )
1341             .env("RUSTC_ERROR_METADATA_DST", self.extended_error_dir())
1342             .env("RUSTC_BREAK_ON_ICE", "1");
1343         // Clippy support is a hack and uses the default `cargo-clippy` in path.
1344         // Don't override RUSTC so that the `cargo-clippy` in path will be run.
1345         if cmd != "clippy" {
1346             cargo.env("RUSTC", self.bootstrap_out.join("rustc"));
1347         }
1348
1349         // Dealing with rpath here is a little special, so let's go into some
1350         // detail. First off, `-rpath` is a linker option on Unix platforms
1351         // which adds to the runtime dynamic loader path when looking for
1352         // dynamic libraries. We use this by default on Unix platforms to ensure
1353         // that our nightlies behave the same on Windows, that is they work out
1354         // of the box. This can be disabled, of course, but basically that's why
1355         // we're gated on RUSTC_RPATH here.
1356         //
1357         // Ok, so the astute might be wondering "why isn't `-C rpath` used
1358         // here?" and that is indeed a good question to ask. This codegen
1359         // option is the compiler's current interface to generating an rpath.
1360         // Unfortunately it doesn't quite suffice for us. The flag currently
1361         // takes no value as an argument, so the compiler calculates what it
1362         // should pass to the linker as `-rpath`. This unfortunately is based on
1363         // the **compile time** directory structure which when building with
1364         // Cargo will be very different than the runtime directory structure.
1365         //
1366         // All that's a really long winded way of saying that if we use
1367         // `-Crpath` then the executables generated have the wrong rpath of
1368         // something like `$ORIGIN/deps` when in fact the way we distribute
1369         // rustc requires the rpath to be `$ORIGIN/../lib`.
1370         //
1371         // So, all in all, to set up the correct rpath we pass the linker
1372         // argument manually via `-C link-args=-Wl,-rpath,...`. Plus isn't it
1373         // fun to pass a flag to a tool to pass a flag to pass a flag to a tool
1374         // to change a flag in a binary?
1375         if self.config.rust_rpath && util::use_host_linker(target) {
1376             let rpath = if target.contains("apple") {
1377                 // Note that we need to take one extra step on macOS to also pass
1378                 // `-Wl,-instal_name,@rpath/...` to get things to work right. To
1379                 // do that we pass a weird flag to the compiler to get it to do
1380                 // so. Note that this is definitely a hack, and we should likely
1381                 // flesh out rpath support more fully in the future.
1382                 rustflags.arg("-Zosx-rpath-install-name");
1383                 Some("-Wl,-rpath,@loader_path/../lib")
1384             } else if !target.contains("windows") {
1385                 rustflags.arg("-Clink-args=-Wl,-z,origin");
1386                 Some("-Wl,-rpath,$ORIGIN/../lib")
1387             } else {
1388                 None
1389             };
1390             if let Some(rpath) = rpath {
1391                 rustflags.arg(&format!("-Clink-args={}", rpath));
1392             }
1393         }
1394
1395         if let Some(host_linker) = self.linker(compiler.host) {
1396             cargo.env("RUSTC_HOST_LINKER", host_linker);
1397         }
1398         if self.is_fuse_ld_lld(compiler.host) {
1399             cargo.env("RUSTC_HOST_FUSE_LD_LLD", "1");
1400             cargo.env("RUSTDOC_FUSE_LD_LLD", "1");
1401         }
1402
1403         if let Some(target_linker) = self.linker(target) {
1404             let target = crate::envify(&target.triple);
1405             cargo.env(&format!("CARGO_TARGET_{}_LINKER", target), target_linker);
1406         }
1407         if self.is_fuse_ld_lld(target) {
1408             rustflags.arg("-Clink-args=-fuse-ld=lld");
1409         }
1410         self.lld_flags(target).for_each(|flag| {
1411             rustdocflags.arg(&flag);
1412         });
1413
1414         if !(["build", "check", "clippy", "fix", "rustc"].contains(&cmd)) && want_rustdoc {
1415             cargo.env("RUSTDOC_LIBDIR", self.rustc_libdir(compiler));
1416         }
1417
1418         let debuginfo_level = match mode {
1419             Mode::Rustc | Mode::Codegen => self.config.rust_debuginfo_level_rustc,
1420             Mode::Std => self.config.rust_debuginfo_level_std,
1421             Mode::ToolBootstrap | Mode::ToolStd | Mode::ToolRustc => {
1422                 self.config.rust_debuginfo_level_tools
1423             }
1424         };
1425         cargo.env(profile_var("DEBUG"), debuginfo_level.to_string());
1426         cargo.env(
1427             profile_var("DEBUG_ASSERTIONS"),
1428             if mode == Mode::Std {
1429                 self.config.rust_debug_assertions_std.to_string()
1430             } else {
1431                 self.config.rust_debug_assertions.to_string()
1432             },
1433         );
1434         cargo.env(
1435             profile_var("OVERFLOW_CHECKS"),
1436             if mode == Mode::Std {
1437                 self.config.rust_overflow_checks_std.to_string()
1438             } else {
1439                 self.config.rust_overflow_checks.to_string()
1440             },
1441         );
1442
1443         // FIXME(davidtwco): #[cfg(not(bootstrap))] - #95612 needs to be in the bootstrap compiler
1444         // for this conditional to be removed.
1445         if !target.contains("windows") || compiler.stage >= 1 {
1446             let needs_unstable_opts = target.contains("linux")
1447                 || target.contains("windows")
1448                 || target.contains("bsd")
1449                 || target.contains("dragonfly");
1450
1451             if needs_unstable_opts {
1452                 rustflags.arg("-Zunstable-options");
1453             }
1454             match self.config.rust_split_debuginfo {
1455                 SplitDebuginfo::Packed => rustflags.arg("-Csplit-debuginfo=packed"),
1456                 SplitDebuginfo::Unpacked => rustflags.arg("-Csplit-debuginfo=unpacked"),
1457                 SplitDebuginfo::Off => rustflags.arg("-Csplit-debuginfo=off"),
1458             };
1459         }
1460
1461         if self.config.cmd.bless() {
1462             // Bless `expect!` tests.
1463             cargo.env("UPDATE_EXPECT", "1");
1464         }
1465
1466         if !mode.is_tool() {
1467             cargo.env("RUSTC_FORCE_UNSTABLE", "1");
1468         }
1469
1470         if let Some(x) = self.crt_static(target) {
1471             if x {
1472                 rustflags.arg("-Ctarget-feature=+crt-static");
1473             } else {
1474                 rustflags.arg("-Ctarget-feature=-crt-static");
1475             }
1476         }
1477
1478         if let Some(x) = self.crt_static(compiler.host) {
1479             cargo.env("RUSTC_HOST_CRT_STATIC", x.to_string());
1480         }
1481
1482         if let Some(map_to) = self.build.debuginfo_map_to(GitRepo::Rustc) {
1483             let map = format!("{}={}", self.build.src.display(), map_to);
1484             cargo.env("RUSTC_DEBUGINFO_MAP", map);
1485
1486             // `rustc` needs to know the virtual `/rustc/$hash` we're mapping to,
1487             // in order to opportunistically reverse it later.
1488             cargo.env("CFG_VIRTUAL_RUST_SOURCE_BASE_DIR", map_to);
1489         }
1490
1491         // Enable usage of unstable features
1492         cargo.env("RUSTC_BOOTSTRAP", "1");
1493         self.add_rust_test_threads(&mut cargo);
1494
1495         // Almost all of the crates that we compile as part of the bootstrap may
1496         // have a build script, including the standard library. To compile a
1497         // build script, however, it itself needs a standard library! This
1498         // introduces a bit of a pickle when we're compiling the standard
1499         // library itself.
1500         //
1501         // To work around this we actually end up using the snapshot compiler
1502         // (stage0) for compiling build scripts of the standard library itself.
1503         // The stage0 compiler is guaranteed to have a libstd available for use.
1504         //
1505         // For other crates, however, we know that we've already got a standard
1506         // library up and running, so we can use the normal compiler to compile
1507         // build scripts in that situation.
1508         if mode == Mode::Std {
1509             cargo
1510                 .env("RUSTC_SNAPSHOT", &self.initial_rustc)
1511                 .env("RUSTC_SNAPSHOT_LIBDIR", self.rustc_snapshot_libdir());
1512         } else {
1513             cargo
1514                 .env("RUSTC_SNAPSHOT", self.rustc(compiler))
1515                 .env("RUSTC_SNAPSHOT_LIBDIR", self.rustc_libdir(compiler));
1516         }
1517
1518         // Tools that use compiler libraries may inherit the `-lLLVM` link
1519         // requirement, but the `-L` library path is not propagated across
1520         // separate Cargo projects. We can add LLVM's library path to the
1521         // platform-specific environment variable as a workaround.
1522         if mode == Mode::ToolRustc || mode == Mode::Codegen {
1523             if let Some(llvm_config) = self.llvm_config(target) {
1524                 let llvm_libdir = output(Command::new(&llvm_config).arg("--libdir"));
1525                 add_link_lib_path(vec![llvm_libdir.trim().into()], &mut cargo);
1526             }
1527         }
1528
1529         // Compile everything except libraries and proc macros with the more
1530         // efficient initial-exec TLS model. This doesn't work with `dlopen`,
1531         // so we can't use it by default in general, but we can use it for tools
1532         // and our own internal libraries.
1533         if !mode.must_support_dlopen() && !target.triple.starts_with("powerpc-") {
1534             rustflags.arg("-Ztls-model=initial-exec");
1535         }
1536
1537         if self.config.incremental {
1538             cargo.env("CARGO_INCREMENTAL", "1");
1539         } else {
1540             // Don't rely on any default setting for incr. comp. in Cargo
1541             cargo.env("CARGO_INCREMENTAL", "0");
1542         }
1543
1544         if let Some(ref on_fail) = self.config.on_fail {
1545             cargo.env("RUSTC_ON_FAIL", on_fail);
1546         }
1547
1548         if self.config.print_step_timings {
1549             cargo.env("RUSTC_PRINT_STEP_TIMINGS", "1");
1550         }
1551
1552         if self.config.print_step_rusage {
1553             cargo.env("RUSTC_PRINT_STEP_RUSAGE", "1");
1554         }
1555
1556         if self.config.backtrace_on_ice {
1557             cargo.env("RUSTC_BACKTRACE_ON_ICE", "1");
1558         }
1559
1560         cargo.env("RUSTC_VERBOSE", self.verbosity.to_string());
1561
1562         if source_type == SourceType::InTree {
1563             let mut lint_flags = Vec::new();
1564             // When extending this list, add the new lints to the RUSTFLAGS of the
1565             // build_bootstrap function of src/bootstrap/bootstrap.py as well as
1566             // some code doesn't go through this `rustc` wrapper.
1567             lint_flags.push("-Wrust_2018_idioms");
1568             lint_flags.push("-Wunused_lifetimes");
1569             lint_flags.push("-Wsemicolon_in_expressions_from_macros");
1570
1571             if self.config.deny_warnings {
1572                 lint_flags.push("-Dwarnings");
1573                 rustdocflags.arg("-Dwarnings");
1574             }
1575
1576             // This does not use RUSTFLAGS due to caching issues with Cargo.
1577             // Clippy is treated as an "in tree" tool, but shares the same
1578             // cache as other "submodule" tools. With these options set in
1579             // RUSTFLAGS, that causes *every* shared dependency to be rebuilt.
1580             // By injecting this into the rustc wrapper, this circumvents
1581             // Cargo's fingerprint detection. This is fine because lint flags
1582             // are always ignored in dependencies. Eventually this should be
1583             // fixed via better support from Cargo.
1584             cargo.env("RUSTC_LINT_FLAGS", lint_flags.join(" "));
1585
1586             rustdocflags.arg("-Wrustdoc::invalid_codeblock_attributes");
1587         }
1588
1589         if mode == Mode::Rustc {
1590             rustflags.arg("-Zunstable-options");
1591             rustflags.arg("-Wrustc::internal");
1592         }
1593
1594         // Throughout the build Cargo can execute a number of build scripts
1595         // compiling C/C++ code and we need to pass compilers, archivers, flags, etc
1596         // obtained previously to those build scripts.
1597         // Build scripts use either the `cc` crate or `configure/make` so we pass
1598         // the options through environment variables that are fetched and understood by both.
1599         //
1600         // FIXME: the guard against msvc shouldn't need to be here
1601         if target.contains("msvc") {
1602             if let Some(ref cl) = self.config.llvm_clang_cl {
1603                 cargo.env("CC", cl).env("CXX", cl);
1604             }
1605         } else {
1606             let ccache = self.config.ccache.as_ref();
1607             let ccacheify = |s: &Path| {
1608                 let ccache = match ccache {
1609                     Some(ref s) => s,
1610                     None => return s.display().to_string(),
1611                 };
1612                 // FIXME: the cc-rs crate only recognizes the literal strings
1613                 // `ccache` and `sccache` when doing caching compilations, so we
1614                 // mirror that here. It should probably be fixed upstream to
1615                 // accept a new env var or otherwise work with custom ccache
1616                 // vars.
1617                 match &ccache[..] {
1618                     "ccache" | "sccache" => format!("{} {}", ccache, s.display()),
1619                     _ => s.display().to_string(),
1620                 }
1621             };
1622             let cc = ccacheify(&self.cc(target));
1623             cargo.env(format!("CC_{}", target.triple), &cc);
1624
1625             let cflags = self.cflags(target, GitRepo::Rustc, CLang::C).join(" ");
1626             cargo.env(format!("CFLAGS_{}", target.triple), &cflags);
1627
1628             if let Some(ar) = self.ar(target) {
1629                 let ranlib = format!("{} s", ar.display());
1630                 cargo
1631                     .env(format!("AR_{}", target.triple), ar)
1632                     .env(format!("RANLIB_{}", target.triple), ranlib);
1633             }
1634
1635             if let Ok(cxx) = self.cxx(target) {
1636                 let cxx = ccacheify(&cxx);
1637                 let cxxflags = self.cflags(target, GitRepo::Rustc, CLang::Cxx).join(" ");
1638                 cargo
1639                     .env(format!("CXX_{}", target.triple), &cxx)
1640                     .env(format!("CXXFLAGS_{}", target.triple), cxxflags);
1641             }
1642         }
1643
1644         if mode == Mode::Std && self.config.extended && compiler.is_final_stage(self) {
1645             rustflags.arg("-Zsave-analysis");
1646             cargo.env(
1647                 "RUST_SAVE_ANALYSIS_CONFIG",
1648                 "{\"output_file\": null,\"full_docs\": false,\
1649                        \"pub_only\": true,\"reachable_only\": false,\
1650                        \"distro_crate\": true,\"signatures\": false,\"borrow_data\": false}",
1651             );
1652         }
1653
1654         // If Control Flow Guard is enabled, pass the `control-flow-guard` flag to rustc
1655         // when compiling the standard library, since this might be linked into the final outputs
1656         // produced by rustc. Since this mitigation is only available on Windows, only enable it
1657         // for the standard library in case the compiler is run on a non-Windows platform.
1658         // This is not needed for stage 0 artifacts because these will only be used for building
1659         // the stage 1 compiler.
1660         if cfg!(windows)
1661             && mode == Mode::Std
1662             && self.config.control_flow_guard
1663             && compiler.stage >= 1
1664         {
1665             rustflags.arg("-Ccontrol-flow-guard");
1666         }
1667
1668         // For `cargo doc` invocations, make rustdoc print the Rust version into the docs
1669         // This replaces spaces with newlines because RUSTDOCFLAGS does not
1670         // support arguments with regular spaces. Hopefully someday Cargo will
1671         // have space support.
1672         let rust_version = self.rust_version().replace(' ', "\n");
1673         rustdocflags.arg("--crate-version").arg(&rust_version);
1674
1675         // Environment variables *required* throughout the build
1676         //
1677         // FIXME: should update code to not require this env var
1678         cargo.env("CFG_COMPILER_HOST_TRIPLE", target.triple);
1679
1680         // Set this for all builds to make sure doc builds also get it.
1681         cargo.env("CFG_RELEASE_CHANNEL", &self.config.channel);
1682
1683         // This one's a bit tricky. As of the time of this writing the compiler
1684         // links to the `winapi` crate on crates.io. This crate provides raw
1685         // bindings to Windows system functions, sort of like libc does for
1686         // Unix. This crate also, however, provides "import libraries" for the
1687         // MinGW targets. There's an import library per dll in the windows
1688         // distribution which is what's linked to. These custom import libraries
1689         // are used because the winapi crate can reference Windows functions not
1690         // present in the MinGW import libraries.
1691         //
1692         // For example MinGW may ship libdbghelp.a, but it may not have
1693         // references to all the functions in the dbghelp dll. Instead the
1694         // custom import library for dbghelp in the winapi crates has all this
1695         // information.
1696         //
1697         // Unfortunately for us though the import libraries are linked by
1698         // default via `-ldylib=winapi_foo`. That is, they're linked with the
1699         // `dylib` type with a `winapi_` prefix (so the winapi ones don't
1700         // conflict with the system MinGW ones). This consequently means that
1701         // the binaries we ship of things like rustc_codegen_llvm (aka the rustc_codegen_llvm
1702         // DLL) when linked against *again*, for example with procedural macros
1703         // or plugins, will trigger the propagation logic of `-ldylib`, passing
1704         // `-lwinapi_foo` to the linker again. This isn't actually available in
1705         // our distribution, however, so the link fails.
1706         //
1707         // To solve this problem we tell winapi to not use its bundled import
1708         // libraries. This means that it will link to the system MinGW import
1709         // libraries by default, and the `-ldylib=foo` directives will still get
1710         // passed to the final linker, but they'll look like `-lfoo` which can
1711         // be resolved because MinGW has the import library. The downside is we
1712         // don't get newer functions from Windows, but we don't use any of them
1713         // anyway.
1714         if !mode.is_tool() {
1715             cargo.env("WINAPI_NO_BUNDLED_LIBRARIES", "1");
1716         }
1717
1718         for _ in 0..self.verbosity {
1719             cargo.arg("-v");
1720         }
1721
1722         match (mode, self.config.rust_codegen_units_std, self.config.rust_codegen_units) {
1723             (Mode::Std, Some(n), _) | (_, _, Some(n)) => {
1724                 cargo.env(profile_var("CODEGEN_UNITS"), n.to_string());
1725             }
1726             _ => {
1727                 // Don't set anything
1728             }
1729         }
1730
1731         if self.config.rust_optimize {
1732             // FIXME: cargo bench/install do not accept `--release`
1733             if cmd != "bench" && cmd != "install" {
1734                 cargo.arg("--release");
1735             }
1736         }
1737
1738         if self.config.locked_deps {
1739             cargo.arg("--locked");
1740         }
1741         if self.config.vendor || self.is_sudo {
1742             cargo.arg("--frozen");
1743         }
1744
1745         // Try to use a sysroot-relative bindir, in case it was configured absolutely.
1746         cargo.env("RUSTC_INSTALL_BINDIR", self.config.bindir_relative());
1747
1748         self.ci_env.force_coloring_in_ci(&mut cargo);
1749
1750         // When we build Rust dylibs they're all intended for intermediate
1751         // usage, so make sure we pass the -Cprefer-dynamic flag instead of
1752         // linking all deps statically into the dylib.
1753         if matches!(mode, Mode::Std | Mode::Rustc) {
1754             rustflags.arg("-Cprefer-dynamic");
1755         }
1756
1757         // When building incrementally we default to a lower ThinLTO import limit
1758         // (unless explicitly specified otherwise). This will produce a somewhat
1759         // slower code but give way better compile times.
1760         {
1761             let limit = match self.config.rust_thin_lto_import_instr_limit {
1762                 Some(limit) => Some(limit),
1763                 None if self.config.incremental => Some(10),
1764                 _ => None,
1765             };
1766
1767             if let Some(limit) = limit {
1768                 rustflags.arg(&format!("-Cllvm-args=-import-instr-limit={}", limit));
1769             }
1770         }
1771
1772         Cargo { command: cargo, rustflags, rustdocflags }
1773     }
1774
1775     /// Ensure that a given step is built, returning its output. This will
1776     /// cache the step, so it is safe (and good!) to call this as often as
1777     /// needed to ensure that all dependencies are built.
1778     pub fn ensure<S: Step>(&'a self, step: S) -> S::Output {
1779         {
1780             let mut stack = self.stack.borrow_mut();
1781             for stack_step in stack.iter() {
1782                 // should skip
1783                 if stack_step.downcast_ref::<S>().map_or(true, |stack_step| *stack_step != step) {
1784                     continue;
1785                 }
1786                 let mut out = String::new();
1787                 out += &format!("\n\nCycle in build detected when adding {:?}\n", step);
1788                 for el in stack.iter().rev() {
1789                     out += &format!("\t{:?}\n", el);
1790                 }
1791                 panic!("{}", out);
1792             }
1793             if let Some(out) = self.cache.get(&step) {
1794                 self.verbose_than(1, &format!("{}c {:?}", "  ".repeat(stack.len()), step));
1795
1796                 return out;
1797             }
1798             self.verbose_than(1, &format!("{}> {:?}", "  ".repeat(stack.len()), step));
1799             stack.push(Box::new(step.clone()));
1800         }
1801
1802         let (out, dur) = {
1803             let start = Instant::now();
1804             let zero = Duration::new(0, 0);
1805             let parent = self.time_spent_on_dependencies.replace(zero);
1806             let out = step.clone().run(self);
1807             let dur = start.elapsed();
1808             let deps = self.time_spent_on_dependencies.replace(parent + dur);
1809             (out, dur - deps)
1810         };
1811
1812         if self.config.print_step_timings && !self.config.dry_run {
1813             let step_string = format!("{:?}", step);
1814             let brace_index = step_string.find("{").unwrap_or(0);
1815             let type_string = type_name::<S>();
1816             println!(
1817                 "[TIMING] {} {} -- {}.{:03}",
1818                 &type_string.strip_prefix("bootstrap::").unwrap_or(type_string),
1819                 &step_string[brace_index..],
1820                 dur.as_secs(),
1821                 dur.subsec_millis()
1822             );
1823         }
1824
1825         {
1826             let mut stack = self.stack.borrow_mut();
1827             let cur_step = stack.pop().expect("step stack empty");
1828             assert_eq!(cur_step.downcast_ref(), Some(&step));
1829         }
1830         self.verbose_than(1, &format!("{}< {:?}", "  ".repeat(self.stack.borrow().len()), step));
1831         self.cache.put(step, out.clone());
1832         out
1833     }
1834
1835     /// Ensure that a given step is built *only if it's supposed to be built by default*, returning
1836     /// its output. This will cache the step, so it's safe (and good!) to call this as often as
1837     /// needed to ensure that all dependencies are build.
1838     pub(crate) fn ensure_if_default<T, S: Step<Output = Option<T>>>(
1839         &'a self,
1840         step: S,
1841         kind: Kind,
1842     ) -> S::Output {
1843         let desc = StepDescription::from::<S>(kind);
1844         let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1845
1846         // Avoid running steps contained in --exclude
1847         for pathset in &should_run.paths {
1848             if desc.is_excluded(self, pathset) {
1849                 return None;
1850             }
1851         }
1852
1853         // Only execute if it's supposed to run as default
1854         if desc.default && should_run.is_really_default() { self.ensure(step) } else { None }
1855     }
1856
1857     /// Checks if any of the "should_run" paths is in the `Builder` paths.
1858     pub(crate) fn was_invoked_explicitly<S: Step>(&'a self, kind: Kind) -> bool {
1859         let desc = StepDescription::from::<S>(kind);
1860         let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1861
1862         for path in &self.paths {
1863             if should_run.paths.iter().any(|s| s.has(path, Some(desc.kind)))
1864                 && !desc.is_excluded(
1865                     self,
1866                     &PathSet::Suite(TaskPath { path: path.clone(), kind: Some(desc.kind) }),
1867                 )
1868             {
1869                 return true;
1870             }
1871         }
1872
1873         false
1874     }
1875 }
1876
1877 #[cfg(test)]
1878 mod tests;
1879
1880 #[derive(Debug, Clone)]
1881 struct Rustflags(String, TargetSelection);
1882
1883 impl Rustflags {
1884     fn new(target: TargetSelection) -> Rustflags {
1885         let mut ret = Rustflags(String::new(), target);
1886         ret.propagate_cargo_env("RUSTFLAGS");
1887         ret
1888     }
1889
1890     /// By default, cargo will pick up on various variables in the environment. However, bootstrap
1891     /// reuses those variables to pass additional flags to rustdoc, so by default they get overridden.
1892     /// Explicitly add back any previous value in the environment.
1893     ///
1894     /// `prefix` is usually `RUSTFLAGS` or `RUSTDOCFLAGS`.
1895     fn propagate_cargo_env(&mut self, prefix: &str) {
1896         // Inherit `RUSTFLAGS` by default ...
1897         self.env(prefix);
1898
1899         // ... and also handle target-specific env RUSTFLAGS if they're configured.
1900         let target_specific = format!("CARGO_TARGET_{}_{}", crate::envify(&self.1.triple), prefix);
1901         self.env(&target_specific);
1902     }
1903
1904     fn env(&mut self, env: &str) {
1905         if let Ok(s) = env::var(env) {
1906             for part in s.split(' ') {
1907                 self.arg(part);
1908             }
1909         }
1910     }
1911
1912     fn arg(&mut self, arg: &str) -> &mut Self {
1913         assert_eq!(arg.split(' ').count(), 1);
1914         if !self.0.is_empty() {
1915             self.0.push(' ');
1916         }
1917         self.0.push_str(arg);
1918         self
1919     }
1920 }
1921
1922 #[derive(Debug)]
1923 pub struct Cargo {
1924     command: Command,
1925     rustflags: Rustflags,
1926     rustdocflags: Rustflags,
1927 }
1928
1929 impl Cargo {
1930     pub fn rustdocflag(&mut self, arg: &str) -> &mut Cargo {
1931         self.rustdocflags.arg(arg);
1932         self
1933     }
1934     pub fn rustflag(&mut self, arg: &str) -> &mut Cargo {
1935         self.rustflags.arg(arg);
1936         self
1937     }
1938
1939     pub fn arg(&mut self, arg: impl AsRef<OsStr>) -> &mut Cargo {
1940         self.command.arg(arg.as_ref());
1941         self
1942     }
1943
1944     pub fn args<I, S>(&mut self, args: I) -> &mut Cargo
1945     where
1946         I: IntoIterator<Item = S>,
1947         S: AsRef<OsStr>,
1948     {
1949         for arg in args {
1950             self.arg(arg.as_ref());
1951         }
1952         self
1953     }
1954
1955     pub fn env(&mut self, key: impl AsRef<OsStr>, value: impl AsRef<OsStr>) -> &mut Cargo {
1956         // These are managed through rustflag/rustdocflag interfaces.
1957         assert_ne!(key.as_ref(), "RUSTFLAGS");
1958         assert_ne!(key.as_ref(), "RUSTDOCFLAGS");
1959         self.command.env(key.as_ref(), value.as_ref());
1960         self
1961     }
1962
1963     pub fn add_rustc_lib_path(&mut self, builder: &Builder<'_>, compiler: Compiler) {
1964         builder.add_rustc_lib_path(compiler, &mut self.command);
1965     }
1966
1967     pub fn current_dir(&mut self, dir: &Path) -> &mut Cargo {
1968         self.command.current_dir(dir);
1969         self
1970     }
1971 }
1972
1973 impl From<Cargo> for Command {
1974     fn from(mut cargo: Cargo) -> Command {
1975         let rustflags = &cargo.rustflags.0;
1976         if !rustflags.is_empty() {
1977             cargo.command.env("RUSTFLAGS", rustflags);
1978         }
1979
1980         let rustdocflags = &cargo.rustdocflags.0;
1981         if !rustdocflags.is_empty() {
1982             cargo.command.env("RUSTDOCFLAGS", rustdocflags);
1983         }
1984
1985         cargo.command
1986     }
1987 }