bootstrap/core/builder/
mod.rs

1use std::any::{Any, type_name};
2use std::cell::{Cell, RefCell};
3use std::collections::BTreeSet;
4use std::fmt::{Debug, Write};
5use std::hash::Hash;
6use std::ops::Deref;
7use std::path::{Path, PathBuf};
8use std::sync::OnceLock;
9use std::time::{Duration, Instant};
10use std::{env, fs};
11
12use clap::ValueEnum;
13#[cfg(feature = "tracing")]
14use tracing::instrument;
15
16pub use self::cargo::{Cargo, cargo_profile_var};
17pub use crate::Compiler;
18use crate::core::build_steps::compile::{Std, StdLink};
19use crate::core::build_steps::tool::RustcPrivateCompilers;
20use crate::core::build_steps::{
21    check, clean, clippy, compile, dist, doc, gcc, install, llvm, run, setup, test, tool, vendor,
22};
23use crate::core::builder::cli_paths::CLIStepPath;
24use crate::core::config::flags::Subcommand;
25use crate::core::config::{DryRun, TargetSelection};
26use crate::utils::build_stamp::BuildStamp;
27use crate::utils::cache::Cache;
28use crate::utils::exec::{BootstrapCommand, ExecutionContext, command};
29use crate::utils::helpers::{self, LldThreads, add_dylib_path, exe, libdir, linker_args, t};
30use crate::{Build, Crate, trace};
31
32mod cargo;
33mod cli_paths;
34#[cfg(test)]
35mod tests;
36
37/// Builds and performs different [`Self::kind`]s of stuff and actions, taking
38/// into account build configuration from e.g. bootstrap.toml.
39pub struct Builder<'a> {
40    /// Build configuration from e.g. bootstrap.toml.
41    pub build: &'a Build,
42
43    /// The stage to use. Either implicitly determined based on subcommand, or
44    /// explicitly specified with `--stage N`. Normally this is the stage we
45    /// use, but sometimes we want to run steps with a lower stage than this.
46    pub top_stage: u32,
47
48    /// What to build or what action to perform.
49    pub kind: Kind,
50
51    /// A cache of outputs of [`Step`]s so we can avoid running steps we already
52    /// ran.
53    cache: Cache,
54
55    /// A stack of [`Step`]s to run before we can run this builder. The output
56    /// of steps is cached in [`Self::cache`].
57    stack: RefCell<Vec<Box<dyn AnyDebug>>>,
58
59    /// The total amount of time we spent running [`Step`]s in [`Self::stack`].
60    time_spent_on_dependencies: Cell<Duration>,
61
62    /// The paths passed on the command line. Used by steps to figure out what
63    /// to do. For example: with `./x check foo bar` we get `paths=["foo",
64    /// "bar"]`.
65    pub paths: Vec<PathBuf>,
66
67    /// Cached list of submodules from self.build.src.
68    submodule_paths_cache: OnceLock<Vec<String>>,
69
70    /// When enabled by tests, this causes the top-level steps that _would_ be
71    /// executed to be logged instead. Used by snapshot tests of command-line
72    /// paths-to-steps handling.
73    #[expect(clippy::type_complexity)]
74    log_cli_step_for_tests: Option<Box<dyn Fn(&StepDescription, &[PathSet], &[TargetSelection])>>,
75}
76
77impl Deref for Builder<'_> {
78    type Target = Build;
79
80    fn deref(&self) -> &Self::Target {
81        self.build
82    }
83}
84
85/// This trait is similar to `Any`, except that it also exposes the underlying
86/// type's [`Debug`] implementation.
87///
88/// (Trying to debug-print `dyn Any` results in the unhelpful `"Any { .. }"`.)
89pub trait AnyDebug: Any + Debug {}
90impl<T: Any + Debug> AnyDebug for T {}
91impl dyn AnyDebug {
92    /// Equivalent to `<dyn Any>::downcast_ref`.
93    fn downcast_ref<T: Any>(&self) -> Option<&T> {
94        (self as &dyn Any).downcast_ref()
95    }
96
97    // Feel free to add other `dyn Any` methods as necessary.
98}
99
100pub trait Step: 'static + Clone + Debug + PartialEq + Eq + Hash {
101    /// Result type of `Step::run`.
102    type Output: Clone;
103
104    /// If this value is true, then the values of `run.target` passed to the `make_run` function of
105    /// this Step will be determined based on the `--host` flag.
106    /// If this value is false, then they will be determined based on the `--target` flag.
107    ///
108    /// A corollary of the above is that if this is set to true, then the step will be skipped if
109    /// `--target` was specified, but `--host` was explicitly set to '' (empty string).
110    const IS_HOST: bool = false;
111
112    /// Called to allow steps to register the command-line paths that should
113    /// cause them to run.
114    fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_>;
115
116    /// Should this step run when the user invokes bootstrap with a subcommand
117    /// but no paths/aliases?
118    ///
119    /// For example, `./x test` runs all default test steps, and `./x dist`
120    /// runs all default dist steps.
121    ///
122    /// Most steps are always default or always non-default, and just return
123    /// true or false. But some steps are conditionally default, based on
124    /// bootstrap config or the availability of ambient tools.
125    ///
126    /// If the underlying check should not be performed repeatedly
127    /// (e.g. because it probes command-line tools),
128    /// consider memoizing its outcome via a field in the builder.
129    fn is_default_step(_builder: &Builder<'_>) -> bool {
130        false
131    }
132
133    /// Primary function to implement `Step` logic.
134    ///
135    /// This function can be triggered in two ways:
136    /// 1. Directly from [`Builder::execute_cli`].
137    /// 2. Indirectly by being called from other `Step`s using [`Builder::ensure`].
138    ///
139    /// When called with [`Builder::execute_cli`] (as done by `Build::build`), this function is executed twice:
140    /// - First in "dry-run" mode to validate certain things (like cyclic Step invocations,
141    ///   directory creation, etc) super quickly.
142    /// - Then it's called again to run the actual, very expensive process.
143    ///
144    /// When triggered indirectly from other `Step`s, it may still run twice (as dry-run and real mode)
145    /// depending on the `Step::run` implementation of the caller.
146    fn run(self, builder: &Builder<'_>) -> Self::Output;
147
148    /// Called directly by the bootstrap `Step` handler when not triggered indirectly by other `Step`s using [`Builder::ensure`].
149    /// For example, `./x.py test bootstrap` runs this for `test::Bootstrap`. Similarly, `./x.py test` runs it for every step
150    /// that is listed by the `describe` macro in [`Builder::get_step_descriptions`].
151    fn make_run(_run: RunConfig<'_>) {
152        // It is reasonable to not have an implementation of make_run for rules
153        // who do not want to get called from the root context. This means that
154        // they are likely dependencies (e.g., sysroot creation) or similar, and
155        // as such calling them from ./x.py isn't logical.
156        unimplemented!()
157    }
158
159    /// Returns metadata of the step, for tests
160    fn metadata(&self) -> Option<StepMetadata> {
161        None
162    }
163}
164
165/// Metadata that describes an executed step, mostly for testing and tracing.
166#[derive(Clone, Debug, PartialEq, Eq)]
167pub struct StepMetadata {
168    name: String,
169    kind: Kind,
170    target: TargetSelection,
171    built_by: Option<Compiler>,
172    stage: Option<u32>,
173    /// Additional opaque string printed in the metadata
174    metadata: Option<String>,
175}
176
177impl StepMetadata {
178    pub fn build(name: &str, target: TargetSelection) -> Self {
179        Self::new(name, target, Kind::Build)
180    }
181
182    pub fn check(name: &str, target: TargetSelection) -> Self {
183        Self::new(name, target, Kind::Check)
184    }
185
186    pub fn clippy(name: &str, target: TargetSelection) -> Self {
187        Self::new(name, target, Kind::Clippy)
188    }
189
190    pub fn doc(name: &str, target: TargetSelection) -> Self {
191        Self::new(name, target, Kind::Doc)
192    }
193
194    pub fn dist(name: &str, target: TargetSelection) -> Self {
195        Self::new(name, target, Kind::Dist)
196    }
197
198    pub fn test(name: &str, target: TargetSelection) -> Self {
199        Self::new(name, target, Kind::Test)
200    }
201
202    pub fn run(name: &str, target: TargetSelection) -> Self {
203        Self::new(name, target, Kind::Run)
204    }
205
206    fn new(name: &str, target: TargetSelection, kind: Kind) -> Self {
207        Self { name: name.to_string(), kind, target, built_by: None, stage: None, metadata: None }
208    }
209
210    pub fn built_by(mut self, compiler: Compiler) -> Self {
211        self.built_by = Some(compiler);
212        self
213    }
214
215    pub fn stage(mut self, stage: u32) -> Self {
216        self.stage = Some(stage);
217        self
218    }
219
220    pub fn with_metadata(mut self, metadata: String) -> Self {
221        self.metadata = Some(metadata);
222        self
223    }
224
225    pub fn get_stage(&self) -> Option<u32> {
226        self.stage.or(self
227            .built_by
228            // For std, its stage corresponds to the stage of the compiler that builds it.
229            // For everything else, a stage N things gets built by a stage N-1 compiler.
230            .map(|compiler| if self.name == "std" { compiler.stage } else { compiler.stage + 1 }))
231    }
232
233    pub fn get_name(&self) -> &str {
234        &self.name
235    }
236
237    pub fn get_target(&self) -> TargetSelection {
238        self.target
239    }
240}
241
242pub struct RunConfig<'a> {
243    pub builder: &'a Builder<'a>,
244    pub target: TargetSelection,
245    pub paths: Vec<PathSet>,
246}
247
248impl RunConfig<'_> {
249    pub fn build_triple(&self) -> TargetSelection {
250        self.builder.build.host_target
251    }
252
253    /// Return a list of crate names selected by `run.paths`.
254    #[track_caller]
255    pub fn cargo_crates_in_set(&self) -> Vec<String> {
256        let mut crates = Vec::new();
257        for krate in &self.paths {
258            let path = &krate.assert_single_path().path;
259
260            let crate_name = self
261                .builder
262                .crate_paths
263                .get(path)
264                .unwrap_or_else(|| panic!("missing crate for path {}", path.display()));
265
266            crates.push(crate_name.to_string());
267        }
268        crates
269    }
270
271    /// Given an `alias` selected by the `Step` and the paths passed on the command line,
272    /// return a list of the crates that should be built.
273    ///
274    /// Normally, people will pass *just* `library` if they pass it.
275    /// But it's possible (although strange) to pass something like `library std core`.
276    /// Build all crates anyway, as if they hadn't passed the other args.
277    pub fn make_run_crates(&self, alias: Alias) -> Vec<String> {
278        let has_alias =
279            self.paths.iter().any(|set| set.assert_single_path().path.ends_with(alias.as_str()));
280        if !has_alias {
281            return self.cargo_crates_in_set();
282        }
283
284        let crates = match alias {
285            Alias::Library => self.builder.in_tree_crates("sysroot", Some(self.target)),
286            Alias::Compiler => self.builder.in_tree_crates("rustc-main", Some(self.target)),
287        };
288
289        crates.into_iter().map(|krate| krate.name.to_string()).collect()
290    }
291}
292
293#[derive(Debug, Copy, Clone)]
294pub enum Alias {
295    Library,
296    Compiler,
297}
298
299impl Alias {
300    fn as_str(self) -> &'static str {
301        match self {
302            Alias::Library => "library",
303            Alias::Compiler => "compiler",
304        }
305    }
306}
307
308/// A description of the crates in this set, suitable for passing to `builder.info`.
309///
310/// `crates` should be generated by [`RunConfig::cargo_crates_in_set`].
311pub fn crate_description(crates: &[impl AsRef<str>]) -> String {
312    if crates.is_empty() {
313        return "".into();
314    }
315
316    let mut descr = String::from("{");
317    descr.push_str(crates[0].as_ref());
318    for krate in &crates[1..] {
319        descr.push_str(", ");
320        descr.push_str(krate.as_ref());
321    }
322    descr.push('}');
323    descr
324}
325
326struct StepDescription {
327    is_host: bool,
328    should_run: fn(ShouldRun<'_>) -> ShouldRun<'_>,
329    is_default_step_fn: fn(&Builder<'_>) -> bool,
330    make_run: fn(RunConfig<'_>),
331    name: &'static str,
332    kind: Kind,
333}
334
335#[derive(Clone, PartialOrd, Ord, PartialEq, Eq)]
336pub struct TaskPath {
337    pub path: PathBuf,
338    pub kind: Option<Kind>,
339}
340
341impl Debug for TaskPath {
342    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
343        if let Some(kind) = &self.kind {
344            write!(f, "{}::", kind.as_str())?;
345        }
346        write!(f, "{}", self.path.display())
347    }
348}
349
350/// Collection of paths used to match a task rule.
351#[derive(Debug, Clone, PartialOrd, Ord, PartialEq, Eq)]
352pub enum PathSet {
353    /// A collection of individual paths or aliases.
354    ///
355    /// These are generally matched as a path suffix. For example, a
356    /// command-line value of `std` will match if `library/std` is in the
357    /// set.
358    ///
359    /// NOTE: the paths within a set should always be aliases of one another.
360    /// For example, `src/librustdoc` and `src/tools/rustdoc` should be in the same set,
361    /// but `library/core` and `library/std` generally should not, unless there's no way (for that Step)
362    /// to build them separately.
363    Set(BTreeSet<TaskPath>),
364    /// A "suite" of paths.
365    ///
366    /// These can match as a path suffix (like `Set`), or as a prefix. For
367    /// example, a command-line value of `tests/ui/abi/variadic-ffi.rs`
368    /// will match `tests/ui`. A command-line value of `ui` would also
369    /// match `tests/ui`.
370    Suite(TaskPath),
371}
372
373impl PathSet {
374    fn empty() -> PathSet {
375        PathSet::Set(BTreeSet::new())
376    }
377
378    fn one<P: Into<PathBuf>>(path: P, kind: Kind) -> PathSet {
379        let mut set = BTreeSet::new();
380        set.insert(TaskPath { path: path.into(), kind: Some(kind) });
381        PathSet::Set(set)
382    }
383
384    fn has(&self, needle: &Path, module: Kind) -> bool {
385        match self {
386            PathSet::Set(set) => set.iter().any(|p| Self::check(p, needle, module)),
387            PathSet::Suite(suite) => Self::check(suite, needle, module),
388        }
389    }
390
391    // internal use only
392    fn check(p: &TaskPath, needle: &Path, module: Kind) -> bool {
393        let check_path = || {
394            // This order is important for retro-compatibility, as `starts_with` was introduced later.
395            p.path.ends_with(needle) || p.path.starts_with(needle)
396        };
397        if let Some(p_kind) = &p.kind { check_path() && *p_kind == module } else { check_path() }
398    }
399
400    /// Return all `TaskPath`s in `Self` that contain any of the `needles`, removing the
401    /// matched needles.
402    ///
403    /// This is used for `StepDescription::krate`, which passes all matching crates at once to
404    /// `Step::make_run`, rather than calling it many times with a single crate.
405    /// See `tests.rs` for examples.
406    fn intersection_removing_matches(&self, needles: &mut [CLIStepPath], module: Kind) -> PathSet {
407        let mut check = |p| {
408            let mut result = false;
409            for n in needles.iter_mut() {
410                let matched = Self::check(p, &n.path, module);
411                if matched {
412                    n.will_be_executed = true;
413                    result = true;
414                }
415            }
416            result
417        };
418        match self {
419            PathSet::Set(set) => PathSet::Set(set.iter().filter(|&p| check(p)).cloned().collect()),
420            PathSet::Suite(suite) => {
421                if check(suite) {
422                    self.clone()
423                } else {
424                    PathSet::empty()
425                }
426            }
427        }
428    }
429
430    /// A convenience wrapper for Steps which know they have no aliases and all their sets contain only a single path.
431    ///
432    /// This can be used with [`ShouldRun::crate_or_deps`], [`ShouldRun::path`], or [`ShouldRun::alias`].
433    #[track_caller]
434    pub fn assert_single_path(&self) -> &TaskPath {
435        match self {
436            PathSet::Set(set) => {
437                assert_eq!(set.len(), 1, "called assert_single_path on multiple paths");
438                set.iter().next().unwrap()
439            }
440            PathSet::Suite(_) => unreachable!("called assert_single_path on a Suite path"),
441        }
442    }
443}
444
445impl StepDescription {
446    fn from<S: Step>(kind: Kind) -> StepDescription {
447        StepDescription {
448            is_host: S::IS_HOST,
449            should_run: S::should_run,
450            is_default_step_fn: S::is_default_step,
451            make_run: S::make_run,
452            name: std::any::type_name::<S>(),
453            kind,
454        }
455    }
456
457    fn maybe_run(&self, builder: &Builder<'_>, mut pathsets: Vec<PathSet>) {
458        pathsets.retain(|set| !self.is_excluded(builder, set));
459
460        if pathsets.is_empty() {
461            return;
462        }
463
464        // Determine the targets participating in this rule.
465        let targets = if self.is_host { &builder.hosts } else { &builder.targets };
466
467        // Log the step that's about to run, for snapshot tests.
468        if let Some(ref log_cli_step) = builder.log_cli_step_for_tests {
469            log_cli_step(self, &pathsets, targets);
470            // Return so that the step won't actually run in snapshot tests.
471            return;
472        }
473
474        for target in targets {
475            let run = RunConfig { builder, paths: pathsets.clone(), target: *target };
476            (self.make_run)(run);
477        }
478    }
479
480    fn is_excluded(&self, builder: &Builder<'_>, pathset: &PathSet) -> bool {
481        if builder.config.skip.iter().any(|e| pathset.has(e, builder.kind)) {
482            if !matches!(builder.config.get_dry_run(), DryRun::SelfCheck) {
483                println!("Skipping {pathset:?} because it is excluded");
484            }
485            return true;
486        }
487
488        if !builder.config.skip.is_empty()
489            && !matches!(builder.config.get_dry_run(), DryRun::SelfCheck)
490        {
491            builder.do_if_verbose(|| {
492                println!(
493                    "{:?} not skipped for {:?} -- not in {:?}",
494                    pathset, self.name, builder.config.skip
495                )
496            });
497        }
498        false
499    }
500}
501
502/// Builder that allows steps to register command-line paths/aliases that
503/// should cause those steps to be run.
504///
505/// For example, if the user invokes `./x test compiler` or `./x doc unstable-book`,
506/// this allows bootstrap to determine what steps "compiler" or "unstable-book"
507/// correspond to.
508pub struct ShouldRun<'a> {
509    pub builder: &'a Builder<'a>,
510    kind: Kind,
511
512    // use a BTreeSet to maintain sort order
513    paths: BTreeSet<PathSet>,
514}
515
516impl<'a> ShouldRun<'a> {
517    fn new(builder: &'a Builder<'_>, kind: Kind) -> ShouldRun<'a> {
518        ShouldRun { builder, kind, paths: BTreeSet::new() }
519    }
520
521    /// Indicates it should run if the command-line selects the given crate or
522    /// any of its (local) dependencies.
523    ///
524    /// `make_run` will be called a single time with all matching command-line paths.
525    pub fn crate_or_deps(self, name: &str) -> Self {
526        let crates = self.builder.in_tree_crates(name, None);
527        self.crates(crates)
528    }
529
530    /// Indicates it should run if the command-line selects any of the given crates.
531    ///
532    /// `make_run` will be called a single time with all matching command-line paths.
533    ///
534    /// Prefer [`ShouldRun::crate_or_deps`] to this function where possible.
535    pub(crate) fn crates(mut self, crates: Vec<&Crate>) -> Self {
536        for krate in crates {
537            let path = krate.local_path(self.builder);
538            self.paths.insert(PathSet::one(path, self.kind));
539        }
540        self
541    }
542
543    // single alias, which does not correspond to any on-disk path
544    pub fn alias(mut self, alias: &str) -> Self {
545        // exceptional case for `Kind::Setup` because its `library`
546        // and `compiler` options would otherwise naively match with
547        // `compiler` and `library` folders respectively.
548        assert!(
549            self.kind == Kind::Setup || !self.builder.src.join(alias).exists(),
550            "use `builder.path()` for real paths: {alias}"
551        );
552        self.paths.insert(PathSet::Set(
553            std::iter::once(TaskPath { path: alias.into(), kind: Some(self.kind) }).collect(),
554        ));
555        self
556    }
557
558    /// single, non-aliased path
559    ///
560    /// Must be an on-disk path; use `alias` for names that do not correspond to on-disk paths.
561    pub fn path(self, path: &str) -> Self {
562        self.paths(&[path])
563    }
564
565    /// Multiple aliases for the same job.
566    ///
567    /// This differs from [`path`] in that multiple calls to path will end up calling `make_run`
568    /// multiple times, whereas a single call to `paths` will only ever generate a single call to
569    /// `make_run`.
570    ///
571    /// This is analogous to `all_krates`, although `all_krates` is gone now. Prefer [`path`] where possible.
572    ///
573    /// [`path`]: ShouldRun::path
574    pub fn paths(mut self, paths: &[&str]) -> Self {
575        let submodules_paths = self.builder.submodule_paths();
576
577        self.paths.insert(PathSet::Set(
578            paths
579                .iter()
580                .map(|p| {
581                    // assert only if `p` isn't submodule
582                    if !submodules_paths.iter().any(|sm_p| p.contains(sm_p)) {
583                        assert!(
584                            self.builder.src.join(p).exists(),
585                            "`should_run.paths` should correspond to real on-disk paths - use `alias` if there is no relevant path: {p}"
586                        );
587                    }
588
589                    TaskPath { path: p.into(), kind: Some(self.kind) }
590                })
591                .collect(),
592        ));
593        self
594    }
595
596    /// Handles individual files (not directories) within a test suite.
597    fn is_suite_path(&self, requested_path: &Path) -> Option<&PathSet> {
598        self.paths.iter().find(|pathset| match pathset {
599            PathSet::Suite(suite) => requested_path.starts_with(&suite.path),
600            PathSet::Set(_) => false,
601        })
602    }
603
604    pub fn suite_path(mut self, suite: &str) -> Self {
605        self.paths.insert(PathSet::Suite(TaskPath { path: suite.into(), kind: Some(self.kind) }));
606        self
607    }
608
609    // allows being more explicit about why should_run in Step returns the value passed to it
610    pub fn never(mut self) -> ShouldRun<'a> {
611        self.paths.insert(PathSet::empty());
612        self
613    }
614
615    /// Given a set of requested paths, return the subset which match the Step for this `ShouldRun`,
616    /// removing the matches from `paths`.
617    ///
618    /// NOTE: this returns multiple PathSets to allow for the possibility of multiple units of work
619    /// within the same step. For example, `test::Crate` allows testing multiple crates in the same
620    /// cargo invocation, which are put into separate sets because they aren't aliases.
621    ///
622    /// The reason we return PathSet instead of PathBuf is to allow for aliases that mean the same thing
623    /// (for now, just `all_krates` and `paths`, but we may want to add an `aliases` function in the future?)
624    fn pathset_for_paths_removing_matches(
625        &self,
626        paths: &mut [CLIStepPath],
627        kind: Kind,
628    ) -> Vec<PathSet> {
629        let mut sets = vec![];
630        for pathset in &self.paths {
631            let subset = pathset.intersection_removing_matches(paths, kind);
632            if subset != PathSet::empty() {
633                sets.push(subset);
634            }
635        }
636        sets
637    }
638}
639
640#[derive(Debug, Copy, Clone, Eq, Hash, PartialEq, PartialOrd, Ord, ValueEnum)]
641pub enum Kind {
642    #[value(alias = "b")]
643    Build,
644    #[value(alias = "c")]
645    Check,
646    Clippy,
647    Fix,
648    Format,
649    #[value(alias = "t")]
650    Test,
651    Miri,
652    MiriSetup,
653    MiriTest,
654    Bench,
655    #[value(alias = "d")]
656    Doc,
657    Clean,
658    Dist,
659    Install,
660    #[value(alias = "r")]
661    Run,
662    Setup,
663    Vendor,
664    Perf,
665}
666
667impl Kind {
668    pub fn as_str(&self) -> &'static str {
669        match self {
670            Kind::Build => "build",
671            Kind::Check => "check",
672            Kind::Clippy => "clippy",
673            Kind::Fix => "fix",
674            Kind::Format => "fmt",
675            Kind::Test => "test",
676            Kind::Miri => "miri",
677            Kind::MiriSetup => panic!("`as_str` is not supported for `Kind::MiriSetup`."),
678            Kind::MiriTest => panic!("`as_str` is not supported for `Kind::MiriTest`."),
679            Kind::Bench => "bench",
680            Kind::Doc => "doc",
681            Kind::Clean => "clean",
682            Kind::Dist => "dist",
683            Kind::Install => "install",
684            Kind::Run => "run",
685            Kind::Setup => "setup",
686            Kind::Vendor => "vendor",
687            Kind::Perf => "perf",
688        }
689    }
690
691    pub fn description(&self) -> String {
692        match self {
693            Kind::Test => "Testing",
694            Kind::Bench => "Benchmarking",
695            Kind::Doc => "Documenting",
696            Kind::Run => "Running",
697            Kind::Clippy => "Linting",
698            Kind::Perf => "Profiling & benchmarking",
699            _ => {
700                let title_letter = self.as_str()[0..1].to_ascii_uppercase();
701                return format!("{title_letter}{}ing", &self.as_str()[1..]);
702            }
703        }
704        .to_owned()
705    }
706}
707
708#[derive(Debug, Clone, Hash, PartialEq, Eq)]
709struct Libdir {
710    compiler: Compiler,
711    target: TargetSelection,
712}
713
714impl Step for Libdir {
715    type Output = PathBuf;
716
717    fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
718        run.never()
719    }
720
721    fn run(self, builder: &Builder<'_>) -> PathBuf {
722        let relative_sysroot_libdir = builder.sysroot_libdir_relative(self.compiler);
723        let sysroot = builder.sysroot(self.compiler).join(relative_sysroot_libdir).join("rustlib");
724
725        if !builder.config.dry_run() {
726            // Avoid deleting the `rustlib/` directory we just copied (in `impl Step for
727            // Sysroot`).
728            if !builder.download_rustc() {
729                let sysroot_target_libdir = sysroot.join(self.target).join("lib");
730                builder.do_if_verbose(|| {
731                    eprintln!(
732                        "Removing sysroot {} to avoid caching bugs",
733                        sysroot_target_libdir.display()
734                    )
735                });
736                let _ = fs::remove_dir_all(&sysroot_target_libdir);
737                t!(fs::create_dir_all(&sysroot_target_libdir));
738            }
739
740            if self.compiler.stage == 0 {
741                // The stage 0 compiler for the build triple is always pre-built. Ensure that
742                // `libLLVM.so` ends up in the target libdir, so that ui-fulldeps tests can use
743                // it when run.
744                dist::maybe_install_llvm_target(
745                    builder,
746                    self.compiler.host,
747                    &builder.sysroot(self.compiler),
748                );
749            }
750        }
751
752        sysroot
753    }
754}
755
756#[cfg(feature = "tracing")]
757pub const STEP_SPAN_TARGET: &str = "STEP";
758
759impl<'a> Builder<'a> {
760    fn get_step_descriptions(kind: Kind) -> Vec<StepDescription> {
761        macro_rules! describe {
762            ($($rule:ty),+ $(,)?) => {{
763                vec![$(StepDescription::from::<$rule>(kind)),+]
764            }};
765        }
766        match kind {
767            Kind::Build => describe!(
768                compile::Std,
769                compile::Rustc,
770                compile::Assemble,
771                compile::CraneliftCodegenBackend,
772                compile::GccCodegenBackend,
773                compile::StartupObjects,
774                tool::BuildManifest,
775                tool::Rustbook,
776                tool::ErrorIndex,
777                tool::UnstableBookGen,
778                tool::Tidy,
779                tool::Linkchecker,
780                tool::CargoTest,
781                tool::Compiletest,
782                tool::RemoteTestServer,
783                tool::RemoteTestClient,
784                tool::RustInstaller,
785                tool::FeaturesStatusDump,
786                tool::Cargo,
787                tool::RustAnalyzer,
788                tool::RustAnalyzerProcMacroSrv,
789                tool::Rustdoc,
790                tool::Clippy,
791                tool::CargoClippy,
792                llvm::Llvm,
793                gcc::Gcc,
794                llvm::Sanitizers,
795                tool::Rustfmt,
796                tool::Cargofmt,
797                tool::Miri,
798                tool::CargoMiri,
799                llvm::Lld,
800                llvm::Enzyme,
801                llvm::CrtBeginEnd,
802                tool::RustdocGUITest,
803                tool::OptimizedDist,
804                tool::CoverageDump,
805                tool::LlvmBitcodeLinker,
806                tool::RustcPerf,
807                tool::WasmComponentLd,
808                tool::LldWrapper
809            ),
810            Kind::Clippy => describe!(
811                clippy::Std,
812                clippy::Rustc,
813                clippy::Bootstrap,
814                clippy::BuildHelper,
815                clippy::BuildManifest,
816                clippy::CargoMiri,
817                clippy::Clippy,
818                clippy::CodegenGcc,
819                clippy::CollectLicenseMetadata,
820                clippy::Compiletest,
821                clippy::CoverageDump,
822                clippy::Jsondocck,
823                clippy::Jsondoclint,
824                clippy::LintDocs,
825                clippy::LlvmBitcodeLinker,
826                clippy::Miri,
827                clippy::MiroptTestTools,
828                clippy::OptDist,
829                clippy::RemoteTestClient,
830                clippy::RemoteTestServer,
831                clippy::RustAnalyzer,
832                clippy::Rustdoc,
833                clippy::Rustfmt,
834                clippy::RustInstaller,
835                clippy::TestFloatParse,
836                clippy::Tidy,
837                clippy::CI,
838            ),
839            Kind::Check | Kind::Fix => describe!(
840                check::Rustc,
841                check::Rustdoc,
842                check::CraneliftCodegenBackend,
843                check::GccCodegenBackend,
844                check::Clippy,
845                check::Miri,
846                check::CargoMiri,
847                check::MiroptTestTools,
848                check::Rustfmt,
849                check::RustAnalyzer,
850                check::TestFloatParse,
851                check::Bootstrap,
852                check::RunMakeSupport,
853                check::Compiletest,
854                check::RustdocGuiTest,
855                check::FeaturesStatusDump,
856                check::CoverageDump,
857                check::Linkchecker,
858                check::BumpStage0,
859                check::Tidy,
860                // This has special staging logic, it may run on stage 1 while others run on stage 0.
861                // It takes quite some time to build stage 1, so put this at the end.
862                //
863                // FIXME: This also helps bootstrap to not interfere with stage 0 builds. We should probably fix
864                // that issue somewhere else, but we still want to keep `check::Std` at the end so that the
865                // quicker steps run before this.
866                check::Std,
867            ),
868            Kind::Test => describe!(
869                crate::core::build_steps::toolstate::ToolStateCheck,
870                test::Tidy,
871                test::BootstrapPy,
872                test::Bootstrap,
873                test::Ui,
874                test::Crashes,
875                test::Coverage,
876                test::MirOpt,
877                test::CodegenLlvm,
878                test::CodegenUnits,
879                test::AssemblyLlvm,
880                test::Incremental,
881                test::Debuginfo,
882                test::UiFullDeps,
883                test::Rustdoc,
884                test::CoverageRunRustdoc,
885                test::Pretty,
886                test::CodegenCranelift,
887                test::CodegenGCC,
888                test::Crate,
889                test::CrateLibrustc,
890                test::CrateRustdoc,
891                test::CrateRustdocJsonTypes,
892                test::CrateBootstrap,
893                test::RemoteTestClientTests,
894                test::Linkcheck,
895                test::TierCheck,
896                test::Cargotest,
897                test::Cargo,
898                test::RustAnalyzer,
899                test::ErrorIndex,
900                test::Distcheck,
901                test::Nomicon,
902                test::Reference,
903                test::RustdocBook,
904                test::RustByExample,
905                test::TheBook,
906                test::UnstableBook,
907                test::RustcBook,
908                test::LintDocs,
909                test::EmbeddedBook,
910                test::EditionGuide,
911                test::Rustfmt,
912                test::Miri,
913                test::CargoMiri,
914                test::Clippy,
915                test::CompiletestTest,
916                test::CrateRunMakeSupport,
917                test::CrateBuildHelper,
918                test::RustdocJSStd,
919                test::RustdocJSNotStd,
920                test::RustdocGUI,
921                test::RustdocTheme,
922                test::RustdocUi,
923                test::RustdocJson,
924                test::HtmlCheck,
925                test::RustInstaller,
926                test::TestFloatParse,
927                test::CollectLicenseMetadata,
928                test::RunMake,
929                test::RunMakeCargo,
930            ),
931            Kind::Miri => describe!(test::Crate),
932            Kind::Bench => describe!(test::Crate, test::CrateLibrustc, test::CrateRustdoc),
933            Kind::Doc => describe!(
934                doc::UnstableBook,
935                doc::UnstableBookGen,
936                doc::TheBook,
937                doc::Standalone,
938                doc::Std,
939                doc::Rustc,
940                doc::Rustdoc,
941                doc::Rustfmt,
942                doc::ErrorIndex,
943                doc::Nomicon,
944                doc::Reference,
945                doc::RustdocBook,
946                doc::RustByExample,
947                doc::RustcBook,
948                doc::Cargo,
949                doc::CargoBook,
950                doc::Clippy,
951                doc::ClippyBook,
952                doc::Miri,
953                doc::EmbeddedBook,
954                doc::EditionGuide,
955                doc::StyleGuide,
956                doc::Tidy,
957                doc::Bootstrap,
958                doc::Releases,
959                doc::RunMakeSupport,
960                doc::BuildHelper,
961                doc::Compiletest,
962            ),
963            Kind::Dist => describe!(
964                dist::Docs,
965                dist::RustcDocs,
966                dist::JsonDocs,
967                dist::Mingw,
968                dist::Rustc,
969                dist::CraneliftCodegenBackend,
970                dist::Std,
971                dist::RustcDev,
972                dist::Analysis,
973                dist::Src,
974                dist::Cargo,
975                dist::RustAnalyzer,
976                dist::Rustfmt,
977                dist::Clippy,
978                dist::Miri,
979                dist::LlvmTools,
980                dist::LlvmBitcodeLinker,
981                dist::RustDev,
982                dist::Bootstrap,
983                dist::Extended,
984                // It seems that PlainSourceTarball somehow changes how some of the tools
985                // perceive their dependencies (see #93033) which would invalidate fingerprints
986                // and force us to rebuild tools after vendoring dependencies.
987                // To work around this, create the Tarball after building all the tools.
988                dist::PlainSourceTarball,
989                dist::BuildManifest,
990                dist::ReproducibleArtifacts,
991                dist::Gcc
992            ),
993            Kind::Install => describe!(
994                install::Docs,
995                install::Std,
996                // During the Rust compiler (rustc) installation process, we copy the entire sysroot binary
997                // path (build/host/stage2/bin). Since the building tools also make their copy in the sysroot
998                // binary path, we must install rustc before the tools. Otherwise, the rust-installer will
999                // install the same binaries twice for each tool, leaving backup files (*.old) as a result.
1000                install::Rustc,
1001                install::RustcDev,
1002                install::Cargo,
1003                install::RustAnalyzer,
1004                install::Rustfmt,
1005                install::Clippy,
1006                install::Miri,
1007                install::LlvmTools,
1008                install::Src,
1009                install::RustcCodegenCranelift,
1010                install::LlvmBitcodeLinker
1011            ),
1012            Kind::Run => describe!(
1013                run::BuildManifest,
1014                run::BumpStage0,
1015                run::ReplaceVersionPlaceholder,
1016                run::Miri,
1017                run::CollectLicenseMetadata,
1018                run::GenerateCopyright,
1019                run::GenerateWindowsSys,
1020                run::GenerateCompletions,
1021                run::UnicodeTableGenerator,
1022                run::FeaturesStatusDump,
1023                run::CyclicStep,
1024                run::CoverageDump,
1025                run::Rustfmt,
1026                run::GenerateHelp,
1027            ),
1028            Kind::Setup => {
1029                describe!(setup::Profile, setup::Hook, setup::Link, setup::Editor)
1030            }
1031            Kind::Clean => describe!(clean::CleanAll, clean::Rustc, clean::Std),
1032            Kind::Vendor => describe!(vendor::Vendor),
1033            // special-cased in Build::build()
1034            Kind::Format | Kind::Perf => vec![],
1035            Kind::MiriTest | Kind::MiriSetup => unreachable!(),
1036        }
1037    }
1038
1039    pub fn get_help(build: &Build, kind: Kind) -> Option<String> {
1040        let step_descriptions = Builder::get_step_descriptions(kind);
1041        if step_descriptions.is_empty() {
1042            return None;
1043        }
1044
1045        let builder = Self::new_internal(build, kind, vec![]);
1046        let builder = &builder;
1047        // The "build" kind here is just a placeholder, it will be replaced with something else in
1048        // the following statement.
1049        let mut should_run = ShouldRun::new(builder, Kind::Build);
1050        for desc in step_descriptions {
1051            should_run.kind = desc.kind;
1052            should_run = (desc.should_run)(should_run);
1053        }
1054        let mut help = String::from("Available paths:\n");
1055        let mut add_path = |path: &Path| {
1056            t!(write!(help, "    ./x.py {} {}\n", kind.as_str(), path.display()));
1057        };
1058        for pathset in should_run.paths {
1059            match pathset {
1060                PathSet::Set(set) => {
1061                    for path in set {
1062                        add_path(&path.path);
1063                    }
1064                }
1065                PathSet::Suite(path) => {
1066                    add_path(&path.path.join("..."));
1067                }
1068            }
1069        }
1070        Some(help)
1071    }
1072
1073    fn new_internal(build: &Build, kind: Kind, paths: Vec<PathBuf>) -> Builder<'_> {
1074        Builder {
1075            build,
1076            top_stage: build.config.stage,
1077            kind,
1078            cache: Cache::new(),
1079            stack: RefCell::new(Vec::new()),
1080            time_spent_on_dependencies: Cell::new(Duration::new(0, 0)),
1081            paths,
1082            submodule_paths_cache: Default::default(),
1083            log_cli_step_for_tests: None,
1084        }
1085    }
1086
1087    pub fn new(build: &Build) -> Builder<'_> {
1088        let paths = &build.config.paths;
1089        let (kind, paths) = match build.config.cmd {
1090            Subcommand::Build { .. } => (Kind::Build, &paths[..]),
1091            Subcommand::Check { .. } => (Kind::Check, &paths[..]),
1092            Subcommand::Clippy { .. } => (Kind::Clippy, &paths[..]),
1093            Subcommand::Fix => (Kind::Fix, &paths[..]),
1094            Subcommand::Doc { .. } => (Kind::Doc, &paths[..]),
1095            Subcommand::Test { .. } => (Kind::Test, &paths[..]),
1096            Subcommand::Miri { .. } => (Kind::Miri, &paths[..]),
1097            Subcommand::Bench { .. } => (Kind::Bench, &paths[..]),
1098            Subcommand::Dist => (Kind::Dist, &paths[..]),
1099            Subcommand::Install => (Kind::Install, &paths[..]),
1100            Subcommand::Run { .. } => (Kind::Run, &paths[..]),
1101            Subcommand::Clean { .. } => (Kind::Clean, &paths[..]),
1102            Subcommand::Format { .. } => (Kind::Format, &[][..]),
1103            Subcommand::Setup { profile: ref path } => (
1104                Kind::Setup,
1105                path.as_ref().map_or([].as_slice(), |path| std::slice::from_ref(path)),
1106            ),
1107            Subcommand::Vendor { .. } => (Kind::Vendor, &paths[..]),
1108            Subcommand::Perf { .. } => (Kind::Perf, &paths[..]),
1109        };
1110
1111        Self::new_internal(build, kind, paths.to_owned())
1112    }
1113
1114    pub fn execute_cli(&self) {
1115        self.run_step_descriptions(&Builder::get_step_descriptions(self.kind), &self.paths);
1116    }
1117
1118    /// Run all default documentation steps to build documentation.
1119    pub fn run_default_doc_steps(&self) {
1120        self.run_step_descriptions(&Builder::get_step_descriptions(Kind::Doc), &[]);
1121    }
1122
1123    pub fn doc_rust_lang_org_channel(&self) -> String {
1124        let channel = match &*self.config.channel {
1125            "stable" => &self.version,
1126            "beta" => "beta",
1127            "nightly" | "dev" => "nightly",
1128            // custom build of rustdoc maybe? link to the latest stable docs just in case
1129            _ => "stable",
1130        };
1131
1132        format!("https://doc.rust-lang.org/{channel}")
1133    }
1134
1135    fn run_step_descriptions(&self, v: &[StepDescription], paths: &[PathBuf]) {
1136        cli_paths::match_paths_to_steps_and_run(self, v, paths);
1137    }
1138
1139    /// Returns if `std` should be statically linked into `rustc_driver`.
1140    /// It's currently not done on `windows-gnu` due to linker bugs.
1141    pub fn link_std_into_rustc_driver(&self, target: TargetSelection) -> bool {
1142        !target.triple.ends_with("-windows-gnu")
1143    }
1144
1145    /// Obtain a compiler at a given stage and for a given host (i.e., this is the target that the
1146    /// compiler will run on, *not* the target it will build code for). Explicitly does not take
1147    /// `Compiler` since all `Compiler` instances are meant to be obtained through this function,
1148    /// since it ensures that they are valid (i.e., built and assembled).
1149    #[cfg_attr(
1150        feature = "tracing",
1151        instrument(
1152            level = "trace",
1153            name = "Builder::compiler",
1154            target = "COMPILER",
1155            skip_all,
1156            fields(
1157                stage = stage,
1158                host = ?host,
1159            ),
1160        ),
1161    )]
1162    pub fn compiler(&self, stage: u32, host: TargetSelection) -> Compiler {
1163        self.ensure(compile::Assemble { target_compiler: Compiler::new(stage, host) })
1164    }
1165
1166    /// This function can be used to provide a build compiler for building
1167    /// the standard library, in order to avoid unnecessary rustc builds in case where std uplifting
1168    /// would happen anyway.
1169    ///
1170    /// This is an important optimization mainly for CI.
1171    ///
1172    /// Normally, to build stage N libstd, we need stage N rustc.
1173    /// However, if we know that we will uplift libstd from stage 1 anyway, building the stage N
1174    /// rustc can be wasteful.
1175    /// In particular, if we do a cross-compiling dist stage 2 build from target1 to target2,
1176    /// we need:
1177    /// - stage 2 libstd for target2 (uplifted from stage 1, where it was built by target1 rustc)
1178    /// - stage 2 rustc for target2
1179    ///
1180    /// However, without this optimization, we would also build stage 2 rustc for **target1**,
1181    /// which is completely wasteful.
1182    pub fn compiler_for_std(&self, stage: u32) -> Compiler {
1183        if compile::Std::should_be_uplifted_from_stage_1(self, stage) {
1184            self.compiler(1, self.host_target)
1185        } else {
1186            self.compiler(stage, self.host_target)
1187        }
1188    }
1189
1190    /// Similar to `compiler`, except handles the full-bootstrap option to
1191    /// silently use the stage1 compiler instead of a stage2 compiler if one is
1192    /// requested.
1193    ///
1194    /// Note that this does *not* have the side effect of creating
1195    /// `compiler(stage, host)`, unlike `compiler` above which does have such
1196    /// a side effect. The returned compiler here can only be used to compile
1197    /// new artifacts, it can't be used to rely on the presence of a particular
1198    /// sysroot.
1199    ///
1200    /// See `force_use_stage1` and `force_use_stage2` for documentation on what each argument is.
1201    #[cfg_attr(
1202        feature = "tracing",
1203        instrument(
1204            level = "trace",
1205            name = "Builder::compiler_for",
1206            target = "COMPILER_FOR",
1207            skip_all,
1208            fields(
1209                stage = stage,
1210                host = ?host,
1211                target = ?target,
1212            ),
1213        ),
1214    )]
1215    /// FIXME: This function is unnecessary (and dangerous, see <https://github.com/rust-lang/rust/issues/137469>).
1216    /// We already have uplifting logic for the compiler, so remove this.
1217    pub fn compiler_for(
1218        &self,
1219        stage: u32,
1220        host: TargetSelection,
1221        target: TargetSelection,
1222    ) -> Compiler {
1223        let mut resolved_compiler = if self.build.force_use_stage2(stage) {
1224            trace!(target: "COMPILER_FOR", ?stage, "force_use_stage2");
1225            self.compiler(2, self.config.host_target)
1226        } else if self.build.force_use_stage1(stage, target) {
1227            trace!(target: "COMPILER_FOR", ?stage, "force_use_stage1");
1228            self.compiler(1, self.config.host_target)
1229        } else {
1230            trace!(target: "COMPILER_FOR", ?stage, ?host, "no force, fallback to `compiler()`");
1231            self.compiler(stage, host)
1232        };
1233
1234        if stage != resolved_compiler.stage {
1235            resolved_compiler.forced_compiler(true);
1236        }
1237
1238        trace!(target: "COMPILER_FOR", ?resolved_compiler);
1239        resolved_compiler
1240    }
1241
1242    /// Obtain a standard library for the given target that will be built by the passed compiler.
1243    /// The standard library will be linked to the sysroot of the passed compiler.
1244    ///
1245    /// Prefer using this method rather than manually invoking `Std::new`.
1246    ///
1247    /// Returns an optional build stamp, if libstd was indeed built.
1248    #[cfg_attr(
1249        feature = "tracing",
1250        instrument(
1251            level = "trace",
1252            name = "Builder::std",
1253            target = "STD",
1254            skip_all,
1255            fields(
1256                compiler = ?compiler,
1257                target = ?target,
1258            ),
1259        ),
1260    )]
1261    pub fn std(&self, compiler: Compiler, target: TargetSelection) -> Option<BuildStamp> {
1262        // FIXME: make the `Std` step return some type-level "proof" that std was indeed built,
1263        // and then require passing that to all Cargo invocations that we do.
1264
1265        // The "stage 0" std is almost always precompiled and comes with the stage0 compiler, so we
1266        // have special logic for it, to avoid creating needless and confusing Std steps that don't
1267        // actually build anything.
1268        // We only allow building the stage0 stdlib if we do a local rebuild, so the stage0 compiler
1269        // actually comes from in-tree sources, and we're cross-compiling, so the stage0 for the
1270        // given `target` is not available.
1271        if compiler.stage == 0 {
1272            if target != compiler.host {
1273                if self.local_rebuild {
1274                    self.ensure(Std::new(compiler, target))
1275                } else {
1276                    panic!(
1277                        r"It is not possible to build the standard library for `{target}` using the stage0 compiler.
1278You have to build a stage1 compiler for `{}` first, and then use it to build a standard library for `{target}`.
1279Alternatively, you can set `build.local-rebuild=true` and use a stage0 compiler built from in-tree sources.
1280",
1281                        compiler.host
1282                    )
1283                }
1284            } else {
1285                // We still need to link the prebuilt standard library into the ephemeral stage0 sysroot
1286                self.ensure(StdLink::from_std(Std::new(compiler, target), compiler));
1287                None
1288            }
1289        } else {
1290            // This step both compiles the std and links it into the compiler's sysroot.
1291            // Yes, it's quite magical and side-effecty.. would be nice to refactor later.
1292            self.ensure(Std::new(compiler, target))
1293        }
1294    }
1295
1296    pub fn sysroot(&self, compiler: Compiler) -> PathBuf {
1297        self.ensure(compile::Sysroot::new(compiler))
1298    }
1299
1300    /// Returns the bindir for a compiler's sysroot.
1301    pub fn sysroot_target_bindir(&self, compiler: Compiler, target: TargetSelection) -> PathBuf {
1302        self.ensure(Libdir { compiler, target }).join(target).join("bin")
1303    }
1304
1305    /// Returns the libdir where the standard library and other artifacts are
1306    /// found for a compiler's sysroot.
1307    pub fn sysroot_target_libdir(&self, compiler: Compiler, target: TargetSelection) -> PathBuf {
1308        self.ensure(Libdir { compiler, target }).join(target).join("lib")
1309    }
1310
1311    pub fn sysroot_codegen_backends(&self, compiler: Compiler) -> PathBuf {
1312        self.sysroot_target_libdir(compiler, compiler.host).with_file_name("codegen-backends")
1313    }
1314
1315    /// Returns the compiler's libdir where it stores the dynamic libraries that
1316    /// it itself links against.
1317    ///
1318    /// For example this returns `<sysroot>/lib` on Unix and `<sysroot>/bin` on
1319    /// Windows.
1320    pub fn rustc_libdir(&self, compiler: Compiler) -> PathBuf {
1321        if compiler.is_snapshot(self) {
1322            self.rustc_snapshot_libdir()
1323        } else {
1324            match self.config.libdir_relative() {
1325                Some(relative_libdir) if compiler.stage >= 1 => {
1326                    self.sysroot(compiler).join(relative_libdir)
1327                }
1328                _ => self.sysroot(compiler).join(libdir(compiler.host)),
1329            }
1330        }
1331    }
1332
1333    /// Returns the compiler's relative libdir where it stores the dynamic libraries that
1334    /// it itself links against.
1335    ///
1336    /// For example this returns `lib` on Unix and `bin` on
1337    /// Windows.
1338    pub fn libdir_relative(&self, compiler: Compiler) -> &Path {
1339        if compiler.is_snapshot(self) {
1340            libdir(self.config.host_target).as_ref()
1341        } else {
1342            match self.config.libdir_relative() {
1343                Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
1344                _ => libdir(compiler.host).as_ref(),
1345            }
1346        }
1347    }
1348
1349    /// Returns the compiler's relative libdir where the standard library and other artifacts are
1350    /// found for a compiler's sysroot.
1351    ///
1352    /// For example this returns `lib` on Unix and Windows.
1353    pub fn sysroot_libdir_relative(&self, compiler: Compiler) -> &Path {
1354        match self.config.libdir_relative() {
1355            Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
1356            _ if compiler.stage == 0 => &self.build.initial_relative_libdir,
1357            _ => Path::new("lib"),
1358        }
1359    }
1360
1361    pub fn rustc_lib_paths(&self, compiler: Compiler) -> Vec<PathBuf> {
1362        let mut dylib_dirs = vec![self.rustc_libdir(compiler)];
1363
1364        // Ensure that the downloaded LLVM libraries can be found.
1365        if self.config.llvm_from_ci {
1366            let ci_llvm_lib = self.out.join(compiler.host).join("ci-llvm").join("lib");
1367            dylib_dirs.push(ci_llvm_lib);
1368        }
1369
1370        dylib_dirs
1371    }
1372
1373    /// Adds the compiler's directory of dynamic libraries to `cmd`'s dynamic
1374    /// library lookup path.
1375    pub fn add_rustc_lib_path(&self, compiler: Compiler, cmd: &mut BootstrapCommand) {
1376        // Windows doesn't need dylib path munging because the dlls for the
1377        // compiler live next to the compiler and the system will find them
1378        // automatically.
1379        if cfg!(any(windows, target_os = "cygwin")) {
1380            return;
1381        }
1382
1383        add_dylib_path(self.rustc_lib_paths(compiler), cmd);
1384    }
1385
1386    /// Gets a path to the compiler specified.
1387    pub fn rustc(&self, compiler: Compiler) -> PathBuf {
1388        if compiler.is_snapshot(self) {
1389            self.initial_rustc.clone()
1390        } else {
1391            self.sysroot(compiler).join("bin").join(exe("rustc", compiler.host))
1392        }
1393    }
1394
1395    /// Gets a command to run the compiler specified, including the dynamic library
1396    /// path in case the executable has not been build with `rpath` enabled.
1397    pub fn rustc_cmd(&self, compiler: Compiler) -> BootstrapCommand {
1398        let mut cmd = command(self.rustc(compiler));
1399        self.add_rustc_lib_path(compiler, &mut cmd);
1400        cmd
1401    }
1402
1403    /// Gets the paths to all of the compiler's codegen backends.
1404    fn codegen_backends(&self, compiler: Compiler) -> impl Iterator<Item = PathBuf> {
1405        fs::read_dir(self.sysroot_codegen_backends(compiler))
1406            .into_iter()
1407            .flatten()
1408            .filter_map(Result::ok)
1409            .map(|entry| entry.path())
1410    }
1411
1412    /// Returns a path to `Rustdoc` that "belongs" to the `target_compiler`.
1413    /// It can be either a stage0 rustdoc or a locally built rustdoc that *links* to
1414    /// `target_compiler`.
1415    pub fn rustdoc_for_compiler(&self, target_compiler: Compiler) -> PathBuf {
1416        self.ensure(tool::Rustdoc { target_compiler })
1417    }
1418
1419    pub fn cargo_miri_cmd(&self, run_compiler: Compiler) -> BootstrapCommand {
1420        assert!(run_compiler.stage > 0, "miri can not be invoked at stage 0");
1421
1422        let compilers =
1423            RustcPrivateCompilers::new(self, run_compiler.stage, self.build.host_target);
1424        assert_eq!(run_compiler, compilers.target_compiler());
1425
1426        // Prepare the tools
1427        let miri = self.ensure(tool::Miri::from_compilers(compilers));
1428        let cargo_miri = self.ensure(tool::CargoMiri::from_compilers(compilers));
1429        // Invoke cargo-miri, make sure it can find miri and cargo.
1430        let mut cmd = command(cargo_miri.tool_path);
1431        cmd.env("MIRI", &miri.tool_path);
1432        cmd.env("CARGO", &self.initial_cargo);
1433        // Need to add the `run_compiler` libs. Those are the libs produces *by* `build_compiler`
1434        // in `tool::ToolBuild` step, so they match the Miri we just built. However this means they
1435        // are actually living one stage up, i.e. we are running `stage1-tools-bin/miri` with the
1436        // libraries in `stage1/lib`. This is an unfortunate off-by-1 caused (possibly) by the fact
1437        // that Miri doesn't have an "assemble" step like rustc does that would cross the stage boundary.
1438        // We can't use `add_rustc_lib_path` as that's a NOP on Windows but we do need these libraries
1439        // added to the PATH due to the stage mismatch.
1440        // Also see https://github.com/rust-lang/rust/pull/123192#issuecomment-2028901503.
1441        add_dylib_path(self.rustc_lib_paths(run_compiler), &mut cmd);
1442        cmd
1443    }
1444
1445    /// Create a Cargo command for running Clippy.
1446    /// The used Clippy is (or in the case of stage 0, already was) built using `build_compiler`.
1447    pub fn cargo_clippy_cmd(&self, build_compiler: Compiler) -> BootstrapCommand {
1448        if build_compiler.stage == 0 {
1449            let cargo_clippy = self
1450                .config
1451                .initial_cargo_clippy
1452                .clone()
1453                .unwrap_or_else(|| self.build.config.download_clippy());
1454
1455            let mut cmd = command(cargo_clippy);
1456            cmd.env("CARGO", &self.initial_cargo);
1457            return cmd;
1458        }
1459
1460        // If we're linting something with build_compiler stage N, we want to build Clippy stage N
1461        // and use that to lint it. That is why we use the `build_compiler` as the target compiler
1462        // for RustcPrivateCompilers. We will use build compiler stage N-1 to build Clippy stage N.
1463        let compilers = RustcPrivateCompilers::from_target_compiler(self, build_compiler);
1464
1465        let _ = self.ensure(tool::Clippy::from_compilers(compilers));
1466        let cargo_clippy = self.ensure(tool::CargoClippy::from_compilers(compilers));
1467        let mut dylib_path = helpers::dylib_path();
1468        dylib_path.insert(0, self.sysroot(build_compiler).join("lib"));
1469
1470        let mut cmd = command(cargo_clippy.tool_path);
1471        cmd.env(helpers::dylib_path_var(), env::join_paths(&dylib_path).unwrap());
1472        cmd.env("CARGO", &self.initial_cargo);
1473        cmd
1474    }
1475
1476    pub fn rustdoc_cmd(&self, compiler: Compiler) -> BootstrapCommand {
1477        let mut cmd = command(self.bootstrap_out.join("rustdoc"));
1478        cmd.env("RUSTC_STAGE", compiler.stage.to_string())
1479            .env("RUSTC_SYSROOT", self.sysroot(compiler))
1480            // Note that this is *not* the sysroot_libdir because rustdoc must be linked
1481            // equivalently to rustc.
1482            .env("RUSTDOC_LIBDIR", self.rustc_libdir(compiler))
1483            .env("CFG_RELEASE_CHANNEL", &self.config.channel)
1484            .env("RUSTDOC_REAL", self.rustdoc_for_compiler(compiler))
1485            .env("RUSTC_BOOTSTRAP", "1");
1486
1487        cmd.arg("-Wrustdoc::invalid_codeblock_attributes");
1488
1489        if self.config.deny_warnings {
1490            cmd.arg("-Dwarnings");
1491        }
1492        cmd.arg("-Znormalize-docs");
1493        cmd.args(linker_args(self, compiler.host, LldThreads::Yes));
1494        cmd
1495    }
1496
1497    /// Return the path to `llvm-config` for the target, if it exists.
1498    ///
1499    /// Note that this returns `None` if LLVM is disabled, or if we're in a
1500    /// check build or dry-run, where there's no need to build all of LLVM.
1501    ///
1502    /// FIXME(@kobzol)
1503    /// **WARNING**: This actually returns the **HOST** LLVM config, not LLVM config for the given
1504    /// *target*.
1505    pub fn llvm_config(&self, target: TargetSelection) -> Option<PathBuf> {
1506        if self.config.llvm_enabled(target) && self.kind != Kind::Check && !self.config.dry_run() {
1507            let llvm::LlvmResult { host_llvm_config, .. } = self.ensure(llvm::Llvm { target });
1508            if host_llvm_config.is_file() {
1509                return Some(host_llvm_config);
1510            }
1511        }
1512        None
1513    }
1514
1515    /// Updates all submodules, and exits with an error if submodule
1516    /// management is disabled and the submodule does not exist.
1517    pub fn require_and_update_all_submodules(&self) {
1518        for submodule in self.submodule_paths() {
1519            self.require_submodule(submodule, None);
1520        }
1521    }
1522
1523    /// Get all submodules from the src directory.
1524    pub fn submodule_paths(&self) -> &[String] {
1525        self.submodule_paths_cache.get_or_init(|| build_helper::util::parse_gitmodules(&self.src))
1526    }
1527
1528    /// Ensure that a given step is built, returning its output. This will
1529    /// cache the step, so it is safe (and good!) to call this as often as
1530    /// needed to ensure that all dependencies are built.
1531    pub fn ensure<S: Step>(&'a self, step: S) -> S::Output {
1532        {
1533            let mut stack = self.stack.borrow_mut();
1534            for stack_step in stack.iter() {
1535                // should skip
1536                if stack_step.downcast_ref::<S>().is_none_or(|stack_step| *stack_step != step) {
1537                    continue;
1538                }
1539                let mut out = String::new();
1540                out += &format!("\n\nCycle in build detected when adding {step:?}\n");
1541                for el in stack.iter().rev() {
1542                    out += &format!("\t{el:?}\n");
1543                }
1544                panic!("{}", out);
1545            }
1546            if let Some(out) = self.cache.get(&step) {
1547                #[cfg(feature = "tracing")]
1548                {
1549                    if let Some(parent) = stack.last() {
1550                        let mut graph = self.build.step_graph.borrow_mut();
1551                        graph.register_cached_step(&step, parent, self.config.dry_run());
1552                    }
1553                }
1554                return out;
1555            }
1556
1557            #[cfg(feature = "tracing")]
1558            {
1559                let parent = stack.last();
1560                let mut graph = self.build.step_graph.borrow_mut();
1561                graph.register_step_execution(&step, parent, self.config.dry_run());
1562            }
1563
1564            stack.push(Box::new(step.clone()));
1565        }
1566
1567        #[cfg(feature = "build-metrics")]
1568        self.metrics.enter_step(&step, self);
1569
1570        if self.config.print_step_timings && !self.config.dry_run() {
1571            println!("[TIMING:start] {}", pretty_print_step(&step));
1572        }
1573
1574        let (out, dur) = {
1575            let start = Instant::now();
1576            let zero = Duration::new(0, 0);
1577            let parent = self.time_spent_on_dependencies.replace(zero);
1578
1579            #[cfg(feature = "tracing")]
1580            let _span = {
1581                // Keep the target and field names synchronized with `setup_tracing`.
1582                let span = tracing::info_span!(
1583                    target: STEP_SPAN_TARGET,
1584                    // We cannot use a dynamic name here, so instead we record the actual step name
1585                    // in the step_name field.
1586                    "step",
1587                    step_name = pretty_step_name::<S>(),
1588                    args = step_debug_args(&step)
1589                );
1590                span.entered()
1591            };
1592
1593            let out = step.clone().run(self);
1594            let dur = start.elapsed();
1595            let deps = self.time_spent_on_dependencies.replace(parent + dur);
1596            (out, dur.saturating_sub(deps))
1597        };
1598
1599        if self.config.print_step_timings && !self.config.dry_run() {
1600            println!(
1601                "[TIMING:end] {} -- {}.{:03}",
1602                pretty_print_step(&step),
1603                dur.as_secs(),
1604                dur.subsec_millis()
1605            );
1606        }
1607
1608        #[cfg(feature = "build-metrics")]
1609        self.metrics.exit_step(self);
1610
1611        {
1612            let mut stack = self.stack.borrow_mut();
1613            let cur_step = stack.pop().expect("step stack empty");
1614            assert_eq!(cur_step.downcast_ref(), Some(&step));
1615        }
1616        self.cache.put(step, out.clone());
1617        out
1618    }
1619
1620    /// Ensure that a given step is built *only if it's supposed to be built by default*, returning
1621    /// its output. This will cache the step, so it's safe (and good!) to call this as often as
1622    /// needed to ensure that all dependencies are build.
1623    pub(crate) fn ensure_if_default<T, S: Step<Output = T>>(
1624        &'a self,
1625        step: S,
1626        kind: Kind,
1627    ) -> Option<S::Output> {
1628        let desc = StepDescription::from::<S>(kind);
1629        let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1630
1631        // Avoid running steps contained in --skip
1632        for pathset in &should_run.paths {
1633            if desc.is_excluded(self, pathset) {
1634                return None;
1635            }
1636        }
1637
1638        // Only execute if it's supposed to run as default
1639        if (desc.is_default_step_fn)(self) { Some(self.ensure(step)) } else { None }
1640    }
1641
1642    /// Checks if any of the "should_run" paths is in the `Builder` paths.
1643    pub(crate) fn was_invoked_explicitly<S: Step>(&'a self, kind: Kind) -> bool {
1644        let desc = StepDescription::from::<S>(kind);
1645        let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1646
1647        for path in &self.paths {
1648            if should_run.paths.iter().any(|s| s.has(path, desc.kind))
1649                && !desc.is_excluded(
1650                    self,
1651                    &PathSet::Suite(TaskPath { path: path.clone(), kind: Some(desc.kind) }),
1652                )
1653            {
1654                return true;
1655            }
1656        }
1657
1658        false
1659    }
1660
1661    pub(crate) fn maybe_open_in_browser<S: Step>(&self, path: impl AsRef<Path>) {
1662        if self.was_invoked_explicitly::<S>(Kind::Doc) {
1663            self.open_in_browser(path);
1664        } else {
1665            self.info(&format!("Doc path: {}", path.as_ref().display()));
1666        }
1667    }
1668
1669    pub(crate) fn open_in_browser(&self, path: impl AsRef<Path>) {
1670        let path = path.as_ref();
1671
1672        if self.config.dry_run() || !self.config.cmd.open() {
1673            self.info(&format!("Doc path: {}", path.display()));
1674            return;
1675        }
1676
1677        self.info(&format!("Opening doc {}", path.display()));
1678        if let Err(err) = opener::open(path) {
1679            self.info(&format!("{err}\n"));
1680        }
1681    }
1682
1683    pub fn exec_ctx(&self) -> &ExecutionContext {
1684        &self.config.exec_ctx
1685    }
1686}
1687
1688/// Return qualified step name, e.g. `compile::Rustc`.
1689pub fn pretty_step_name<S: Step>() -> String {
1690    // Normalize step type path to only keep the module and the type name
1691    let path = type_name::<S>().rsplit("::").take(2).collect::<Vec<_>>();
1692    path.into_iter().rev().collect::<Vec<_>>().join("::")
1693}
1694
1695/// Renders `step` using its `Debug` implementation and extract the field arguments out of it.
1696fn step_debug_args<S: Step>(step: &S) -> String {
1697    let step_dbg_repr = format!("{step:?}");
1698
1699    // Some steps do not have any arguments, so they do not have the braces
1700    match (step_dbg_repr.find('{'), step_dbg_repr.rfind('}')) {
1701        (Some(brace_start), Some(brace_end)) => {
1702            step_dbg_repr[brace_start + 1..brace_end - 1].trim().to_string()
1703        }
1704        _ => String::new(),
1705    }
1706}
1707
1708fn pretty_print_step<S: Step>(step: &S) -> String {
1709    format!("{} {{ {} }}", pretty_step_name::<S>(), step_debug_args(step))
1710}
1711
1712impl<'a> AsRef<ExecutionContext> for Builder<'a> {
1713    fn as_ref(&self) -> &ExecutionContext {
1714        self.exec_ctx()
1715    }
1716}