1use std::any::{Any, type_name};
2use std::cell::{Cell, RefCell};
3use std::collections::BTreeSet;
4use std::fmt::{self, Debug, Write};
5use std::hash::Hash;
6use std::ops::Deref;
7use std::path::{Path, PathBuf};
8use std::sync::{LazyLock, 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::config::flags::Subcommand;
24use crate::core::config::{DryRun, TargetSelection};
25use crate::utils::build_stamp::BuildStamp;
26use crate::utils::cache::Cache;
27use crate::utils::exec::{BootstrapCommand, ExecutionContext, command};
28use crate::utils::helpers::{self, LldThreads, add_dylib_path, exe, libdir, linker_args, t};
29use crate::{Build, Crate, trace};
30
31mod cargo;
32
33#[cfg(test)]
34mod tests;
35
36pub struct Builder<'a> {
39 pub build: &'a Build,
41
42 pub top_stage: u32,
46
47 pub kind: Kind,
49
50 cache: Cache,
53
54 stack: RefCell<Vec<Box<dyn AnyDebug>>>,
57
58 time_spent_on_dependencies: Cell<Duration>,
60
61 pub paths: Vec<PathBuf>,
65
66 submodule_paths_cache: OnceLock<Vec<String>>,
68}
69
70impl Deref for Builder<'_> {
71 type Target = Build;
72
73 fn deref(&self) -> &Self::Target {
74 self.build
75 }
76}
77
78pub trait AnyDebug: Any + Debug {}
83impl<T: Any + Debug> AnyDebug for T {}
84impl dyn AnyDebug {
85 fn downcast_ref<T: Any>(&self) -> Option<&T> {
87 (self as &dyn Any).downcast_ref()
88 }
89
90 }
92
93pub trait Step: 'static + Clone + Debug + PartialEq + Eq + Hash {
94 type Output: Clone;
96
97 const DEFAULT: bool = false;
103
104 const IS_HOST: bool = false;
111
112 fn run(self, builder: &Builder<'_>) -> Self::Output;
126
127 fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_>;
129
130 fn make_run(_run: RunConfig<'_>) {
134 unimplemented!()
139 }
140
141 fn metadata(&self) -> Option<StepMetadata> {
143 None
144 }
145}
146
147#[derive(Clone, Debug, PartialEq, Eq)]
149pub struct StepMetadata {
150 name: String,
151 kind: Kind,
152 target: TargetSelection,
153 built_by: Option<Compiler>,
154 stage: Option<u32>,
155 metadata: Option<String>,
157}
158
159impl StepMetadata {
160 pub fn build(name: &str, target: TargetSelection) -> Self {
161 Self::new(name, target, Kind::Build)
162 }
163
164 pub fn check(name: &str, target: TargetSelection) -> Self {
165 Self::new(name, target, Kind::Check)
166 }
167
168 pub fn clippy(name: &str, target: TargetSelection) -> Self {
169 Self::new(name, target, Kind::Clippy)
170 }
171
172 pub fn doc(name: &str, target: TargetSelection) -> Self {
173 Self::new(name, target, Kind::Doc)
174 }
175
176 pub fn dist(name: &str, target: TargetSelection) -> Self {
177 Self::new(name, target, Kind::Dist)
178 }
179
180 pub fn test(name: &str, target: TargetSelection) -> Self {
181 Self::new(name, target, Kind::Test)
182 }
183
184 pub fn run(name: &str, target: TargetSelection) -> Self {
185 Self::new(name, target, Kind::Run)
186 }
187
188 fn new(name: &str, target: TargetSelection, kind: Kind) -> Self {
189 Self { name: name.to_string(), kind, target, built_by: None, stage: None, metadata: None }
190 }
191
192 pub fn built_by(mut self, compiler: Compiler) -> Self {
193 self.built_by = Some(compiler);
194 self
195 }
196
197 pub fn stage(mut self, stage: u32) -> Self {
198 self.stage = Some(stage);
199 self
200 }
201
202 pub fn with_metadata(mut self, metadata: String) -> Self {
203 self.metadata = Some(metadata);
204 self
205 }
206
207 pub fn get_stage(&self) -> Option<u32> {
208 self.stage.or(self
209 .built_by
210 .map(|compiler| if self.name == "std" { compiler.stage } else { compiler.stage + 1 }))
213 }
214
215 pub fn get_name(&self) -> &str {
216 &self.name
217 }
218
219 pub fn get_target(&self) -> TargetSelection {
220 self.target
221 }
222}
223
224pub struct RunConfig<'a> {
225 pub builder: &'a Builder<'a>,
226 pub target: TargetSelection,
227 pub paths: Vec<PathSet>,
228}
229
230impl RunConfig<'_> {
231 pub fn build_triple(&self) -> TargetSelection {
232 self.builder.build.host_target
233 }
234
235 #[track_caller]
237 pub fn cargo_crates_in_set(&self) -> Vec<String> {
238 let mut crates = Vec::new();
239 for krate in &self.paths {
240 let path = &krate.assert_single_path().path;
241
242 let crate_name = self
243 .builder
244 .crate_paths
245 .get(path)
246 .unwrap_or_else(|| panic!("missing crate for path {}", path.display()));
247
248 crates.push(crate_name.to_string());
249 }
250 crates
251 }
252
253 pub fn make_run_crates(&self, alias: Alias) -> Vec<String> {
260 let has_alias =
261 self.paths.iter().any(|set| set.assert_single_path().path.ends_with(alias.as_str()));
262 if !has_alias {
263 return self.cargo_crates_in_set();
264 }
265
266 let crates = match alias {
267 Alias::Library => self.builder.in_tree_crates("sysroot", Some(self.target)),
268 Alias::Compiler => self.builder.in_tree_crates("rustc-main", Some(self.target)),
269 };
270
271 crates.into_iter().map(|krate| krate.name.to_string()).collect()
272 }
273}
274
275#[derive(Debug, Copy, Clone)]
276pub enum Alias {
277 Library,
278 Compiler,
279}
280
281impl Alias {
282 fn as_str(self) -> &'static str {
283 match self {
284 Alias::Library => "library",
285 Alias::Compiler => "compiler",
286 }
287 }
288}
289
290pub fn crate_description(crates: &[impl AsRef<str>]) -> String {
294 if crates.is_empty() {
295 return "".into();
296 }
297
298 let mut descr = String::from("{");
299 descr.push_str(crates[0].as_ref());
300 for krate in &crates[1..] {
301 descr.push_str(", ");
302 descr.push_str(krate.as_ref());
303 }
304 descr.push('}');
305 descr
306}
307
308struct StepDescription {
309 default: bool,
310 is_host: bool,
311 should_run: fn(ShouldRun<'_>) -> ShouldRun<'_>,
312 make_run: fn(RunConfig<'_>),
313 name: &'static str,
314 kind: Kind,
315}
316
317#[derive(Clone, PartialOrd, Ord, PartialEq, Eq)]
318pub struct TaskPath {
319 pub path: PathBuf,
320 pub kind: Option<Kind>,
321}
322
323impl Debug for TaskPath {
324 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
325 if let Some(kind) = &self.kind {
326 write!(f, "{}::", kind.as_str())?;
327 }
328 write!(f, "{}", self.path.display())
329 }
330}
331
332#[derive(Debug, Clone, PartialOrd, Ord, PartialEq, Eq)]
334pub enum PathSet {
335 Set(BTreeSet<TaskPath>),
346 Suite(TaskPath),
353}
354
355impl PathSet {
356 fn empty() -> PathSet {
357 PathSet::Set(BTreeSet::new())
358 }
359
360 fn one<P: Into<PathBuf>>(path: P, kind: Kind) -> PathSet {
361 let mut set = BTreeSet::new();
362 set.insert(TaskPath { path: path.into(), kind: Some(kind) });
363 PathSet::Set(set)
364 }
365
366 fn has(&self, needle: &Path, module: Kind) -> bool {
367 match self {
368 PathSet::Set(set) => set.iter().any(|p| Self::check(p, needle, module)),
369 PathSet::Suite(suite) => Self::check(suite, needle, module),
370 }
371 }
372
373 fn check(p: &TaskPath, needle: &Path, module: Kind) -> bool {
375 let check_path = || {
376 p.path.ends_with(needle) || p.path.starts_with(needle)
378 };
379 if let Some(p_kind) = &p.kind { check_path() && *p_kind == module } else { check_path() }
380 }
381
382 fn intersection_removing_matches(&self, needles: &mut [CLIStepPath], module: Kind) -> PathSet {
389 let mut check = |p| {
390 let mut result = false;
391 for n in needles.iter_mut() {
392 let matched = Self::check(p, &n.path, module);
393 if matched {
394 n.will_be_executed = true;
395 result = true;
396 }
397 }
398 result
399 };
400 match self {
401 PathSet::Set(set) => PathSet::Set(set.iter().filter(|&p| check(p)).cloned().collect()),
402 PathSet::Suite(suite) => {
403 if check(suite) {
404 self.clone()
405 } else {
406 PathSet::empty()
407 }
408 }
409 }
410 }
411
412 #[track_caller]
416 pub fn assert_single_path(&self) -> &TaskPath {
417 match self {
418 PathSet::Set(set) => {
419 assert_eq!(set.len(), 1, "called assert_single_path on multiple paths");
420 set.iter().next().unwrap()
421 }
422 PathSet::Suite(_) => unreachable!("called assert_single_path on a Suite path"),
423 }
424 }
425}
426
427const PATH_REMAP: &[(&str, &[&str])] = &[
428 ("rust-analyzer-proc-macro-srv", &["src/tools/rust-analyzer/crates/proc-macro-srv-cli"]),
431 (
433 "tests",
434 &[
435 "tests/assembly-llvm",
437 "tests/codegen-llvm",
438 "tests/codegen-units",
439 "tests/coverage",
440 "tests/coverage-run-rustdoc",
441 "tests/crashes",
442 "tests/debuginfo",
443 "tests/incremental",
444 "tests/mir-opt",
445 "tests/pretty",
446 "tests/run-make",
447 "tests/run-make-cargo",
448 "tests/rustdoc",
449 "tests/rustdoc-gui",
450 "tests/rustdoc-js",
451 "tests/rustdoc-js-std",
452 "tests/rustdoc-json",
453 "tests/rustdoc-ui",
454 "tests/ui",
455 "tests/ui-fulldeps",
456 ],
458 ),
459];
460
461fn remap_paths(paths: &mut Vec<PathBuf>) {
462 let mut remove = vec![];
463 let mut add = vec![];
464 for (i, path) in paths.iter().enumerate().filter_map(|(i, path)| path.to_str().map(|s| (i, s)))
465 {
466 for &(search, replace) in PATH_REMAP {
467 if path.trim_matches(std::path::is_separator) == search {
469 remove.push(i);
470 add.extend(replace.iter().map(PathBuf::from));
471 break;
472 }
473 }
474 }
475 remove.sort();
476 remove.dedup();
477 for idx in remove.into_iter().rev() {
478 paths.remove(idx);
479 }
480 paths.append(&mut add);
481}
482
483#[derive(Clone, PartialEq)]
484struct CLIStepPath {
485 path: PathBuf,
486 will_be_executed: bool,
487}
488
489#[cfg(test)]
490impl CLIStepPath {
491 fn will_be_executed(mut self, will_be_executed: bool) -> Self {
492 self.will_be_executed = will_be_executed;
493 self
494 }
495}
496
497impl Debug for CLIStepPath {
498 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
499 write!(f, "{}", self.path.display())
500 }
501}
502
503impl From<PathBuf> for CLIStepPath {
504 fn from(path: PathBuf) -> Self {
505 Self { path, will_be_executed: false }
506 }
507}
508
509impl StepDescription {
510 fn from<S: Step>(kind: Kind) -> StepDescription {
511 StepDescription {
512 default: S::DEFAULT,
513 is_host: S::IS_HOST,
514 should_run: S::should_run,
515 make_run: S::make_run,
516 name: std::any::type_name::<S>(),
517 kind,
518 }
519 }
520
521 fn maybe_run(&self, builder: &Builder<'_>, mut pathsets: Vec<PathSet>) {
522 pathsets.retain(|set| !self.is_excluded(builder, set));
523
524 if pathsets.is_empty() {
525 return;
526 }
527
528 let targets = if self.is_host { &builder.hosts } else { &builder.targets };
530
531 for target in targets {
532 let run = RunConfig { builder, paths: pathsets.clone(), target: *target };
533 (self.make_run)(run);
534 }
535 }
536
537 fn is_excluded(&self, builder: &Builder<'_>, pathset: &PathSet) -> bool {
538 if builder.config.skip.iter().any(|e| pathset.has(e, builder.kind)) {
539 if !matches!(builder.config.get_dry_run(), DryRun::SelfCheck) {
540 println!("Skipping {pathset:?} because it is excluded");
541 }
542 return true;
543 }
544
545 if !builder.config.skip.is_empty()
546 && !matches!(builder.config.get_dry_run(), DryRun::SelfCheck)
547 {
548 builder.do_if_verbose(|| {
549 println!(
550 "{:?} not skipped for {:?} -- not in {:?}",
551 pathset, self.name, builder.config.skip
552 )
553 });
554 }
555 false
556 }
557
558 fn run(v: &[StepDescription], builder: &Builder<'_>, paths: &[PathBuf]) {
559 let should_runs = v
560 .iter()
561 .map(|desc| (desc.should_run)(ShouldRun::new(builder, desc.kind)))
562 .collect::<Vec<_>>();
563
564 if builder.download_rustc() && (builder.kind == Kind::Dist || builder.kind == Kind::Install)
565 {
566 eprintln!(
567 "ERROR: '{}' subcommand is incompatible with `rust.download-rustc`.",
568 builder.kind.as_str()
569 );
570 crate::exit!(1);
571 }
572
573 for (desc, should_run) in v.iter().zip(&should_runs) {
575 assert!(
576 !should_run.paths.is_empty(),
577 "{:?} should have at least one pathset",
578 desc.name
579 );
580 }
581
582 if paths.is_empty() || builder.config.include_default_paths {
583 for (desc, should_run) in v.iter().zip(&should_runs) {
584 if desc.default && should_run.is_really_default() {
585 desc.maybe_run(builder, should_run.paths.iter().cloned().collect());
586 }
587 }
588 }
589
590 let mut paths: Vec<PathBuf> = paths
592 .iter()
593 .map(|original_path| {
594 let mut path = original_path.clone();
595
596 if !path.is_absolute() {
602 path = builder.src.join(path);
603 }
604
605 if !path.exists() {
607 return original_path.clone();
609 }
610
611 match std::path::absolute(&path) {
613 Ok(p) => p.strip_prefix(&builder.src).unwrap_or(&p).to_path_buf(),
614 Err(e) => {
615 eprintln!("ERROR: {e:?}");
616 panic!("Due to the above error, failed to resolve path: {path:?}");
617 }
618 }
619 })
620 .collect();
621
622 remap_paths(&mut paths);
623
624 paths.retain(|path| {
627 for (desc, should_run) in v.iter().zip(&should_runs) {
628 if let Some(suite) = should_run.is_suite_path(path) {
629 desc.maybe_run(builder, vec![suite.clone()]);
630 return false;
631 }
632 }
633 true
634 });
635
636 if paths.is_empty() {
637 return;
638 }
639
640 let mut paths: Vec<CLIStepPath> = paths.into_iter().map(|p| p.into()).collect();
641 let mut path_lookup: Vec<(CLIStepPath, bool)> =
642 paths.clone().into_iter().map(|p| (p, false)).collect();
643
644 let mut steps_to_run = vec![];
648
649 for (desc, should_run) in v.iter().zip(&should_runs) {
650 let pathsets = should_run.pathset_for_paths_removing_matches(&mut paths, desc.kind);
651
652 let mut closest_index = usize::MAX;
658
659 for (index, (path, is_used)) in path_lookup.iter_mut().enumerate() {
661 if !*is_used && !paths.contains(path) {
662 closest_index = index;
663 *is_used = true;
664 break;
665 }
666 }
667
668 steps_to_run.push((closest_index, desc, pathsets));
669 }
670
671 steps_to_run.sort_by_key(|(index, _, _)| *index);
673
674 for (_index, desc, pathsets) in steps_to_run {
676 if !pathsets.is_empty() {
677 desc.maybe_run(builder, pathsets);
678 }
679 }
680
681 paths.retain(|p| !p.will_be_executed);
682
683 if !paths.is_empty() {
684 eprintln!("ERROR: no `{}` rules matched {:?}", builder.kind.as_str(), paths);
685 eprintln!(
686 "HELP: run `x.py {} --help --verbose` to show a list of available paths",
687 builder.kind.as_str()
688 );
689 eprintln!(
690 "NOTE: if you are adding a new Step to bootstrap itself, make sure you register it with `describe!`"
691 );
692 crate::exit!(1);
693 }
694 }
695}
696
697enum ReallyDefault<'a> {
698 Bool(bool),
699 Lazy(LazyLock<bool, Box<dyn Fn() -> bool + 'a>>),
700}
701
702pub struct ShouldRun<'a> {
703 pub builder: &'a Builder<'a>,
704 kind: Kind,
705
706 paths: BTreeSet<PathSet>,
708
709 is_really_default: ReallyDefault<'a>,
712}
713
714impl<'a> ShouldRun<'a> {
715 fn new(builder: &'a Builder<'_>, kind: Kind) -> ShouldRun<'a> {
716 ShouldRun {
717 builder,
718 kind,
719 paths: BTreeSet::new(),
720 is_really_default: ReallyDefault::Bool(true), }
722 }
723
724 pub fn default_condition(mut self, cond: bool) -> Self {
725 self.is_really_default = ReallyDefault::Bool(cond);
726 self
727 }
728
729 pub fn lazy_default_condition(mut self, lazy_cond: Box<dyn Fn() -> bool + 'a>) -> Self {
730 self.is_really_default = ReallyDefault::Lazy(LazyLock::new(lazy_cond));
731 self
732 }
733
734 pub fn is_really_default(&self) -> bool {
735 match &self.is_really_default {
736 ReallyDefault::Bool(val) => *val,
737 ReallyDefault::Lazy(lazy) => *lazy.deref(),
738 }
739 }
740
741 pub fn crate_or_deps(self, name: &str) -> Self {
746 let crates = self.builder.in_tree_crates(name, None);
747 self.crates(crates)
748 }
749
750 pub(crate) fn crates(mut self, crates: Vec<&Crate>) -> Self {
756 for krate in crates {
757 let path = krate.local_path(self.builder);
758 self.paths.insert(PathSet::one(path, self.kind));
759 }
760 self
761 }
762
763 pub fn alias(mut self, alias: &str) -> Self {
765 assert!(
769 self.kind == Kind::Setup || !self.builder.src.join(alias).exists(),
770 "use `builder.path()` for real paths: {alias}"
771 );
772 self.paths.insert(PathSet::Set(
773 std::iter::once(TaskPath { path: alias.into(), kind: Some(self.kind) }).collect(),
774 ));
775 self
776 }
777
778 pub fn path(self, path: &str) -> Self {
782 self.paths(&[path])
783 }
784
785 pub fn paths(mut self, paths: &[&str]) -> Self {
795 let submodules_paths = self.builder.submodule_paths();
796
797 self.paths.insert(PathSet::Set(
798 paths
799 .iter()
800 .map(|p| {
801 if !submodules_paths.iter().any(|sm_p| p.contains(sm_p)) {
803 assert!(
804 self.builder.src.join(p).exists(),
805 "`should_run.paths` should correspond to real on-disk paths - use `alias` if there is no relevant path: {p}"
806 );
807 }
808
809 TaskPath { path: p.into(), kind: Some(self.kind) }
810 })
811 .collect(),
812 ));
813 self
814 }
815
816 fn is_suite_path(&self, requested_path: &Path) -> Option<&PathSet> {
818 self.paths.iter().find(|pathset| match pathset {
819 PathSet::Suite(suite) => requested_path.starts_with(&suite.path),
820 PathSet::Set(_) => false,
821 })
822 }
823
824 pub fn suite_path(mut self, suite: &str) -> Self {
825 self.paths.insert(PathSet::Suite(TaskPath { path: suite.into(), kind: Some(self.kind) }));
826 self
827 }
828
829 pub fn never(mut self) -> ShouldRun<'a> {
831 self.paths.insert(PathSet::empty());
832 self
833 }
834
835 fn pathset_for_paths_removing_matches(
845 &self,
846 paths: &mut [CLIStepPath],
847 kind: Kind,
848 ) -> Vec<PathSet> {
849 let mut sets = vec![];
850 for pathset in &self.paths {
851 let subset = pathset.intersection_removing_matches(paths, kind);
852 if subset != PathSet::empty() {
853 sets.push(subset);
854 }
855 }
856 sets
857 }
858}
859
860#[derive(Debug, Copy, Clone, Eq, Hash, PartialEq, PartialOrd, Ord, ValueEnum)]
861pub enum Kind {
862 #[value(alias = "b")]
863 Build,
864 #[value(alias = "c")]
865 Check,
866 Clippy,
867 Fix,
868 Format,
869 #[value(alias = "t")]
870 Test,
871 Miri,
872 MiriSetup,
873 MiriTest,
874 Bench,
875 #[value(alias = "d")]
876 Doc,
877 Clean,
878 Dist,
879 Install,
880 #[value(alias = "r")]
881 Run,
882 Setup,
883 Vendor,
884 Perf,
885}
886
887impl Kind {
888 pub fn as_str(&self) -> &'static str {
889 match self {
890 Kind::Build => "build",
891 Kind::Check => "check",
892 Kind::Clippy => "clippy",
893 Kind::Fix => "fix",
894 Kind::Format => "fmt",
895 Kind::Test => "test",
896 Kind::Miri => "miri",
897 Kind::MiriSetup => panic!("`as_str` is not supported for `Kind::MiriSetup`."),
898 Kind::MiriTest => panic!("`as_str` is not supported for `Kind::MiriTest`."),
899 Kind::Bench => "bench",
900 Kind::Doc => "doc",
901 Kind::Clean => "clean",
902 Kind::Dist => "dist",
903 Kind::Install => "install",
904 Kind::Run => "run",
905 Kind::Setup => "setup",
906 Kind::Vendor => "vendor",
907 Kind::Perf => "perf",
908 }
909 }
910
911 pub fn description(&self) -> String {
912 match self {
913 Kind::Test => "Testing",
914 Kind::Bench => "Benchmarking",
915 Kind::Doc => "Documenting",
916 Kind::Run => "Running",
917 Kind::Clippy => "Linting",
918 Kind::Perf => "Profiling & benchmarking",
919 _ => {
920 let title_letter = self.as_str()[0..1].to_ascii_uppercase();
921 return format!("{title_letter}{}ing", &self.as_str()[1..]);
922 }
923 }
924 .to_owned()
925 }
926}
927
928#[derive(Debug, Clone, Hash, PartialEq, Eq)]
929struct Libdir {
930 compiler: Compiler,
931 target: TargetSelection,
932}
933
934impl Step for Libdir {
935 type Output = PathBuf;
936
937 fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
938 run.never()
939 }
940
941 fn run(self, builder: &Builder<'_>) -> PathBuf {
942 let relative_sysroot_libdir = builder.sysroot_libdir_relative(self.compiler);
943 let sysroot = builder.sysroot(self.compiler).join(relative_sysroot_libdir).join("rustlib");
944
945 if !builder.config.dry_run() {
946 if !builder.download_rustc() {
949 let sysroot_target_libdir = sysroot.join(self.target).join("lib");
950 builder.do_if_verbose(|| {
951 eprintln!(
952 "Removing sysroot {} to avoid caching bugs",
953 sysroot_target_libdir.display()
954 )
955 });
956 let _ = fs::remove_dir_all(&sysroot_target_libdir);
957 t!(fs::create_dir_all(&sysroot_target_libdir));
958 }
959
960 if self.compiler.stage == 0 {
961 dist::maybe_install_llvm_target(
965 builder,
966 self.compiler.host,
967 &builder.sysroot(self.compiler),
968 );
969 }
970 }
971
972 sysroot
973 }
974}
975
976#[cfg(feature = "tracing")]
977pub const STEP_SPAN_TARGET: &str = "STEP";
978
979impl<'a> Builder<'a> {
980 fn get_step_descriptions(kind: Kind) -> Vec<StepDescription> {
981 macro_rules! describe {
982 ($($rule:ty),+ $(,)?) => {{
983 vec![$(StepDescription::from::<$rule>(kind)),+]
984 }};
985 }
986 match kind {
987 Kind::Build => describe!(
988 compile::Std,
989 compile::Rustc,
990 compile::Assemble,
991 compile::CraneliftCodegenBackend,
992 compile::GccCodegenBackend,
993 compile::StartupObjects,
994 tool::BuildManifest,
995 tool::Rustbook,
996 tool::ErrorIndex,
997 tool::UnstableBookGen,
998 tool::Tidy,
999 tool::Linkchecker,
1000 tool::CargoTest,
1001 tool::Compiletest,
1002 tool::RemoteTestServer,
1003 tool::RemoteTestClient,
1004 tool::RustInstaller,
1005 tool::FeaturesStatusDump,
1006 tool::Cargo,
1007 tool::RustAnalyzer,
1008 tool::RustAnalyzerProcMacroSrv,
1009 tool::Rustdoc,
1010 tool::Clippy,
1011 tool::CargoClippy,
1012 llvm::Llvm,
1013 gcc::Gcc,
1014 llvm::Sanitizers,
1015 tool::Rustfmt,
1016 tool::Cargofmt,
1017 tool::Miri,
1018 tool::CargoMiri,
1019 llvm::Lld,
1020 llvm::Enzyme,
1021 llvm::CrtBeginEnd,
1022 tool::RustdocGUITest,
1023 tool::OptimizedDist,
1024 tool::CoverageDump,
1025 tool::LlvmBitcodeLinker,
1026 tool::RustcPerf,
1027 tool::WasmComponentLd,
1028 tool::LldWrapper
1029 ),
1030 Kind::Clippy => describe!(
1031 clippy::Std,
1032 clippy::Rustc,
1033 clippy::Bootstrap,
1034 clippy::BuildHelper,
1035 clippy::BuildManifest,
1036 clippy::CargoMiri,
1037 clippy::Clippy,
1038 clippy::CodegenGcc,
1039 clippy::CollectLicenseMetadata,
1040 clippy::Compiletest,
1041 clippy::CoverageDump,
1042 clippy::Jsondocck,
1043 clippy::Jsondoclint,
1044 clippy::LintDocs,
1045 clippy::LlvmBitcodeLinker,
1046 clippy::Miri,
1047 clippy::MiroptTestTools,
1048 clippy::OptDist,
1049 clippy::RemoteTestClient,
1050 clippy::RemoteTestServer,
1051 clippy::RustAnalyzer,
1052 clippy::Rustdoc,
1053 clippy::Rustfmt,
1054 clippy::RustInstaller,
1055 clippy::TestFloatParse,
1056 clippy::Tidy,
1057 clippy::CI,
1058 ),
1059 Kind::Check | Kind::Fix => describe!(
1060 check::Rustc,
1061 check::Rustdoc,
1062 check::CraneliftCodegenBackend,
1063 check::GccCodegenBackend,
1064 check::Clippy,
1065 check::Miri,
1066 check::CargoMiri,
1067 check::MiroptTestTools,
1068 check::Rustfmt,
1069 check::RustAnalyzer,
1070 check::TestFloatParse,
1071 check::Bootstrap,
1072 check::RunMakeSupport,
1073 check::Compiletest,
1074 check::RustdocGuiTest,
1075 check::FeaturesStatusDump,
1076 check::CoverageDump,
1077 check::Linkchecker,
1078 check::BumpStage0,
1079 check::Tidy,
1080 check::Std,
1087 ),
1088 Kind::Test => describe!(
1089 crate::core::build_steps::toolstate::ToolStateCheck,
1090 test::Tidy,
1091 test::Bootstrap,
1092 test::Ui,
1093 test::Crashes,
1094 test::Coverage,
1095 test::MirOpt,
1096 test::CodegenLlvm,
1097 test::CodegenUnits,
1098 test::AssemblyLlvm,
1099 test::Incremental,
1100 test::Debuginfo,
1101 test::UiFullDeps,
1102 test::Rustdoc,
1103 test::CoverageRunRustdoc,
1104 test::Pretty,
1105 test::CodegenCranelift,
1106 test::CodegenGCC,
1107 test::Crate,
1108 test::CrateLibrustc,
1109 test::CrateRustdoc,
1110 test::CrateRustdocJsonTypes,
1111 test::CrateBootstrap,
1112 test::Linkcheck,
1113 test::TierCheck,
1114 test::Cargotest,
1115 test::Cargo,
1116 test::RustAnalyzer,
1117 test::ErrorIndex,
1118 test::Distcheck,
1119 test::Nomicon,
1120 test::Reference,
1121 test::RustdocBook,
1122 test::RustByExample,
1123 test::TheBook,
1124 test::UnstableBook,
1125 test::RustcBook,
1126 test::LintDocs,
1127 test::EmbeddedBook,
1128 test::EditionGuide,
1129 test::Rustfmt,
1130 test::Miri,
1131 test::CargoMiri,
1132 test::Clippy,
1133 test::CompiletestTest,
1134 test::CrateRunMakeSupport,
1135 test::CrateBuildHelper,
1136 test::RustdocJSStd,
1137 test::RustdocJSNotStd,
1138 test::RustdocGUI,
1139 test::RustdocTheme,
1140 test::RustdocUi,
1141 test::RustdocJson,
1142 test::HtmlCheck,
1143 test::RustInstaller,
1144 test::TestFloatParse,
1145 test::CollectLicenseMetadata,
1146 test::RunMake,
1147 test::RunMakeCargo,
1148 ),
1149 Kind::Miri => describe!(test::Crate),
1150 Kind::Bench => describe!(test::Crate, test::CrateLibrustc, test::CrateRustdoc),
1151 Kind::Doc => describe!(
1152 doc::UnstableBook,
1153 doc::UnstableBookGen,
1154 doc::TheBook,
1155 doc::Standalone,
1156 doc::Std,
1157 doc::Rustc,
1158 doc::Rustdoc,
1159 doc::Rustfmt,
1160 doc::ErrorIndex,
1161 doc::Nomicon,
1162 doc::Reference,
1163 doc::RustdocBook,
1164 doc::RustByExample,
1165 doc::RustcBook,
1166 doc::Cargo,
1167 doc::CargoBook,
1168 doc::Clippy,
1169 doc::ClippyBook,
1170 doc::Miri,
1171 doc::EmbeddedBook,
1172 doc::EditionGuide,
1173 doc::StyleGuide,
1174 doc::Tidy,
1175 doc::Bootstrap,
1176 doc::Releases,
1177 doc::RunMakeSupport,
1178 doc::BuildHelper,
1179 doc::Compiletest,
1180 ),
1181 Kind::Dist => describe!(
1182 dist::Docs,
1183 dist::RustcDocs,
1184 dist::JsonDocs,
1185 dist::Mingw,
1186 dist::Rustc,
1187 dist::CraneliftCodegenBackend,
1188 dist::Std,
1189 dist::RustcDev,
1190 dist::Analysis,
1191 dist::Src,
1192 dist::Cargo,
1193 dist::RustAnalyzer,
1194 dist::Rustfmt,
1195 dist::Clippy,
1196 dist::Miri,
1197 dist::LlvmTools,
1198 dist::LlvmBitcodeLinker,
1199 dist::RustDev,
1200 dist::Bootstrap,
1201 dist::Extended,
1202 dist::PlainSourceTarball,
1207 dist::BuildManifest,
1208 dist::ReproducibleArtifacts,
1209 dist::Gcc
1210 ),
1211 Kind::Install => describe!(
1212 install::Docs,
1213 install::Std,
1214 install::Rustc,
1219 install::Cargo,
1220 install::RustAnalyzer,
1221 install::Rustfmt,
1222 install::Clippy,
1223 install::Miri,
1224 install::LlvmTools,
1225 install::Src,
1226 install::RustcCodegenCranelift,
1227 install::LlvmBitcodeLinker
1228 ),
1229 Kind::Run => describe!(
1230 run::BuildManifest,
1231 run::BumpStage0,
1232 run::ReplaceVersionPlaceholder,
1233 run::Miri,
1234 run::CollectLicenseMetadata,
1235 run::GenerateCopyright,
1236 run::GenerateWindowsSys,
1237 run::GenerateCompletions,
1238 run::UnicodeTableGenerator,
1239 run::FeaturesStatusDump,
1240 run::CyclicStep,
1241 run::CoverageDump,
1242 run::Rustfmt,
1243 run::GenerateHelp,
1244 ),
1245 Kind::Setup => {
1246 describe!(setup::Profile, setup::Hook, setup::Link, setup::Editor)
1247 }
1248 Kind::Clean => describe!(clean::CleanAll, clean::Rustc, clean::Std),
1249 Kind::Vendor => describe!(vendor::Vendor),
1250 Kind::Format | Kind::Perf => vec![],
1252 Kind::MiriTest | Kind::MiriSetup => unreachable!(),
1253 }
1254 }
1255
1256 pub fn get_help(build: &Build, kind: Kind) -> Option<String> {
1257 let step_descriptions = Builder::get_step_descriptions(kind);
1258 if step_descriptions.is_empty() {
1259 return None;
1260 }
1261
1262 let builder = Self::new_internal(build, kind, vec![]);
1263 let builder = &builder;
1264 let mut should_run = ShouldRun::new(builder, Kind::Build);
1267 for desc in step_descriptions {
1268 should_run.kind = desc.kind;
1269 should_run = (desc.should_run)(should_run);
1270 }
1271 let mut help = String::from("Available paths:\n");
1272 let mut add_path = |path: &Path| {
1273 t!(write!(help, " ./x.py {} {}\n", kind.as_str(), path.display()));
1274 };
1275 for pathset in should_run.paths {
1276 match pathset {
1277 PathSet::Set(set) => {
1278 for path in set {
1279 add_path(&path.path);
1280 }
1281 }
1282 PathSet::Suite(path) => {
1283 add_path(&path.path.join("..."));
1284 }
1285 }
1286 }
1287 Some(help)
1288 }
1289
1290 fn new_internal(build: &Build, kind: Kind, paths: Vec<PathBuf>) -> Builder<'_> {
1291 Builder {
1292 build,
1293 top_stage: build.config.stage,
1294 kind,
1295 cache: Cache::new(),
1296 stack: RefCell::new(Vec::new()),
1297 time_spent_on_dependencies: Cell::new(Duration::new(0, 0)),
1298 paths,
1299 submodule_paths_cache: Default::default(),
1300 }
1301 }
1302
1303 pub fn new(build: &Build) -> Builder<'_> {
1304 let paths = &build.config.paths;
1305 let (kind, paths) = match build.config.cmd {
1306 Subcommand::Build { .. } => (Kind::Build, &paths[..]),
1307 Subcommand::Check { .. } => (Kind::Check, &paths[..]),
1308 Subcommand::Clippy { .. } => (Kind::Clippy, &paths[..]),
1309 Subcommand::Fix => (Kind::Fix, &paths[..]),
1310 Subcommand::Doc { .. } => (Kind::Doc, &paths[..]),
1311 Subcommand::Test { .. } => (Kind::Test, &paths[..]),
1312 Subcommand::Miri { .. } => (Kind::Miri, &paths[..]),
1313 Subcommand::Bench { .. } => (Kind::Bench, &paths[..]),
1314 Subcommand::Dist => (Kind::Dist, &paths[..]),
1315 Subcommand::Install => (Kind::Install, &paths[..]),
1316 Subcommand::Run { .. } => (Kind::Run, &paths[..]),
1317 Subcommand::Clean { .. } => (Kind::Clean, &paths[..]),
1318 Subcommand::Format { .. } => (Kind::Format, &[][..]),
1319 Subcommand::Setup { profile: ref path } => (
1320 Kind::Setup,
1321 path.as_ref().map_or([].as_slice(), |path| std::slice::from_ref(path)),
1322 ),
1323 Subcommand::Vendor { .. } => (Kind::Vendor, &paths[..]),
1324 Subcommand::Perf { .. } => (Kind::Perf, &paths[..]),
1325 };
1326
1327 Self::new_internal(build, kind, paths.to_owned())
1328 }
1329
1330 pub fn execute_cli(&self) {
1331 self.run_step_descriptions(&Builder::get_step_descriptions(self.kind), &self.paths);
1332 }
1333
1334 pub fn run_default_doc_steps(&self) {
1336 self.run_step_descriptions(&Builder::get_step_descriptions(Kind::Doc), &[]);
1337 }
1338
1339 pub fn doc_rust_lang_org_channel(&self) -> String {
1340 let channel = match &*self.config.channel {
1341 "stable" => &self.version,
1342 "beta" => "beta",
1343 "nightly" | "dev" => "nightly",
1344 _ => "stable",
1346 };
1347
1348 format!("https://doc.rust-lang.org/{channel}")
1349 }
1350
1351 fn run_step_descriptions(&self, v: &[StepDescription], paths: &[PathBuf]) {
1352 StepDescription::run(v, self, paths);
1353 }
1354
1355 pub fn link_std_into_rustc_driver(&self, target: TargetSelection) -> bool {
1358 !target.triple.ends_with("-windows-gnu")
1359 }
1360
1361 #[cfg_attr(
1366 feature = "tracing",
1367 instrument(
1368 level = "trace",
1369 name = "Builder::compiler",
1370 target = "COMPILER",
1371 skip_all,
1372 fields(
1373 stage = stage,
1374 host = ?host,
1375 ),
1376 ),
1377 )]
1378 pub fn compiler(&self, stage: u32, host: TargetSelection) -> Compiler {
1379 self.ensure(compile::Assemble { target_compiler: Compiler::new(stage, host) })
1380 }
1381
1382 pub fn compiler_for_std(&self, stage: u32) -> Compiler {
1399 if compile::Std::should_be_uplifted_from_stage_1(self, stage) {
1400 self.compiler(1, self.host_target)
1401 } else {
1402 self.compiler(stage, self.host_target)
1403 }
1404 }
1405
1406 #[cfg_attr(
1418 feature = "tracing",
1419 instrument(
1420 level = "trace",
1421 name = "Builder::compiler_for",
1422 target = "COMPILER_FOR",
1423 skip_all,
1424 fields(
1425 stage = stage,
1426 host = ?host,
1427 target = ?target,
1428 ),
1429 ),
1430 )]
1431 pub fn compiler_for(
1434 &self,
1435 stage: u32,
1436 host: TargetSelection,
1437 target: TargetSelection,
1438 ) -> Compiler {
1439 let mut resolved_compiler = if self.build.force_use_stage2(stage) {
1440 trace!(target: "COMPILER_FOR", ?stage, "force_use_stage2");
1441 self.compiler(2, self.config.host_target)
1442 } else if self.build.force_use_stage1(stage, target) {
1443 trace!(target: "COMPILER_FOR", ?stage, "force_use_stage1");
1444 self.compiler(1, self.config.host_target)
1445 } else {
1446 trace!(target: "COMPILER_FOR", ?stage, ?host, "no force, fallback to `compiler()`");
1447 self.compiler(stage, host)
1448 };
1449
1450 if stage != resolved_compiler.stage {
1451 resolved_compiler.forced_compiler(true);
1452 }
1453
1454 trace!(target: "COMPILER_FOR", ?resolved_compiler);
1455 resolved_compiler
1456 }
1457
1458 #[cfg_attr(
1465 feature = "tracing",
1466 instrument(
1467 level = "trace",
1468 name = "Builder::std",
1469 target = "STD",
1470 skip_all,
1471 fields(
1472 compiler = ?compiler,
1473 target = ?target,
1474 ),
1475 ),
1476 )]
1477 pub fn std(&self, compiler: Compiler, target: TargetSelection) -> Option<BuildStamp> {
1478 if compiler.stage == 0 {
1488 if target != compiler.host {
1489 if self.local_rebuild {
1490 self.ensure(Std::new(compiler, target))
1491 } else {
1492 panic!(
1493 r"It is not possible to build the standard library for `{target}` using the stage0 compiler.
1494You have to build a stage1 compiler for `{}` first, and then use it to build a standard library for `{target}`.
1495Alternatively, you can set `build.local-rebuild=true` and use a stage0 compiler built from in-tree sources.
1496",
1497 compiler.host
1498 )
1499 }
1500 } else {
1501 self.ensure(StdLink::from_std(Std::new(compiler, target), compiler));
1503 None
1504 }
1505 } else {
1506 self.ensure(Std::new(compiler, target))
1509 }
1510 }
1511
1512 pub fn sysroot(&self, compiler: Compiler) -> PathBuf {
1513 self.ensure(compile::Sysroot::new(compiler))
1514 }
1515
1516 pub fn sysroot_target_bindir(&self, compiler: Compiler, target: TargetSelection) -> PathBuf {
1518 self.ensure(Libdir { compiler, target }).join(target).join("bin")
1519 }
1520
1521 pub fn sysroot_target_libdir(&self, compiler: Compiler, target: TargetSelection) -> PathBuf {
1524 self.ensure(Libdir { compiler, target }).join(target).join("lib")
1525 }
1526
1527 pub fn sysroot_codegen_backends(&self, compiler: Compiler) -> PathBuf {
1528 self.sysroot_target_libdir(compiler, compiler.host).with_file_name("codegen-backends")
1529 }
1530
1531 pub fn rustc_libdir(&self, compiler: Compiler) -> PathBuf {
1537 if compiler.is_snapshot(self) {
1538 self.rustc_snapshot_libdir()
1539 } else {
1540 match self.config.libdir_relative() {
1541 Some(relative_libdir) if compiler.stage >= 1 => {
1542 self.sysroot(compiler).join(relative_libdir)
1543 }
1544 _ => self.sysroot(compiler).join(libdir(compiler.host)),
1545 }
1546 }
1547 }
1548
1549 pub fn libdir_relative(&self, compiler: Compiler) -> &Path {
1555 if compiler.is_snapshot(self) {
1556 libdir(self.config.host_target).as_ref()
1557 } else {
1558 match self.config.libdir_relative() {
1559 Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
1560 _ => libdir(compiler.host).as_ref(),
1561 }
1562 }
1563 }
1564
1565 pub fn sysroot_libdir_relative(&self, compiler: Compiler) -> &Path {
1570 match self.config.libdir_relative() {
1571 Some(relative_libdir) if compiler.stage >= 1 => relative_libdir,
1572 _ if compiler.stage == 0 => &self.build.initial_relative_libdir,
1573 _ => Path::new("lib"),
1574 }
1575 }
1576
1577 pub fn rustc_lib_paths(&self, compiler: Compiler) -> Vec<PathBuf> {
1578 let mut dylib_dirs = vec![self.rustc_libdir(compiler)];
1579
1580 if self.config.llvm_from_ci {
1582 let ci_llvm_lib = self.out.join(compiler.host).join("ci-llvm").join("lib");
1583 dylib_dirs.push(ci_llvm_lib);
1584 }
1585
1586 dylib_dirs
1587 }
1588
1589 pub fn add_rustc_lib_path(&self, compiler: Compiler, cmd: &mut BootstrapCommand) {
1592 if cfg!(any(windows, target_os = "cygwin")) {
1596 return;
1597 }
1598
1599 add_dylib_path(self.rustc_lib_paths(compiler), cmd);
1600 }
1601
1602 pub fn rustc(&self, compiler: Compiler) -> PathBuf {
1604 if compiler.is_snapshot(self) {
1605 self.initial_rustc.clone()
1606 } else {
1607 self.sysroot(compiler).join("bin").join(exe("rustc", compiler.host))
1608 }
1609 }
1610
1611 pub fn rustc_cmd(&self, compiler: Compiler) -> BootstrapCommand {
1614 let mut cmd = command(self.rustc(compiler));
1615 self.add_rustc_lib_path(compiler, &mut cmd);
1616 cmd
1617 }
1618
1619 fn codegen_backends(&self, compiler: Compiler) -> impl Iterator<Item = PathBuf> {
1621 fs::read_dir(self.sysroot_codegen_backends(compiler))
1622 .into_iter()
1623 .flatten()
1624 .filter_map(Result::ok)
1625 .map(|entry| entry.path())
1626 }
1627
1628 pub fn rustdoc_for_compiler(&self, target_compiler: Compiler) -> PathBuf {
1632 self.ensure(tool::Rustdoc { target_compiler })
1633 }
1634
1635 pub fn cargo_miri_cmd(&self, run_compiler: Compiler) -> BootstrapCommand {
1636 assert!(run_compiler.stage > 0, "miri can not be invoked at stage 0");
1637
1638 let compilers =
1639 RustcPrivateCompilers::new(self, run_compiler.stage, self.build.host_target);
1640 assert_eq!(run_compiler, compilers.target_compiler());
1641
1642 let miri = self.ensure(tool::Miri::from_compilers(compilers));
1644 let cargo_miri = self.ensure(tool::CargoMiri::from_compilers(compilers));
1645 let mut cmd = command(cargo_miri.tool_path);
1647 cmd.env("MIRI", &miri.tool_path);
1648 cmd.env("CARGO", &self.initial_cargo);
1649 add_dylib_path(self.rustc_lib_paths(run_compiler), &mut cmd);
1658 cmd
1659 }
1660
1661 pub fn cargo_clippy_cmd(&self, build_compiler: Compiler) -> BootstrapCommand {
1664 if build_compiler.stage == 0 {
1665 let cargo_clippy = self
1666 .config
1667 .initial_cargo_clippy
1668 .clone()
1669 .unwrap_or_else(|| self.build.config.download_clippy());
1670
1671 let mut cmd = command(cargo_clippy);
1672 cmd.env("CARGO", &self.initial_cargo);
1673 return cmd;
1674 }
1675
1676 let compilers = RustcPrivateCompilers::from_target_compiler(self, build_compiler);
1680
1681 let _ = self.ensure(tool::Clippy::from_compilers(compilers));
1682 let cargo_clippy = self.ensure(tool::CargoClippy::from_compilers(compilers));
1683 let mut dylib_path = helpers::dylib_path();
1684 dylib_path.insert(0, self.sysroot(build_compiler).join("lib"));
1685
1686 let mut cmd = command(cargo_clippy.tool_path);
1687 cmd.env(helpers::dylib_path_var(), env::join_paths(&dylib_path).unwrap());
1688 cmd.env("CARGO", &self.initial_cargo);
1689 cmd
1690 }
1691
1692 pub fn rustdoc_cmd(&self, compiler: Compiler) -> BootstrapCommand {
1693 let mut cmd = command(self.bootstrap_out.join("rustdoc"));
1694 cmd.env("RUSTC_STAGE", compiler.stage.to_string())
1695 .env("RUSTC_SYSROOT", self.sysroot(compiler))
1696 .env("RUSTDOC_LIBDIR", self.rustc_libdir(compiler))
1699 .env("CFG_RELEASE_CHANNEL", &self.config.channel)
1700 .env("RUSTDOC_REAL", self.rustdoc_for_compiler(compiler))
1701 .env("RUSTC_BOOTSTRAP", "1");
1702
1703 cmd.arg("-Wrustdoc::invalid_codeblock_attributes");
1704
1705 if self.config.deny_warnings {
1706 cmd.arg("-Dwarnings");
1707 }
1708 cmd.arg("-Znormalize-docs");
1709 cmd.args(linker_args(self, compiler.host, LldThreads::Yes));
1710 cmd
1711 }
1712
1713 pub fn llvm_config(&self, target: TargetSelection) -> Option<PathBuf> {
1722 if self.config.llvm_enabled(target) && self.kind != Kind::Check && !self.config.dry_run() {
1723 let llvm::LlvmResult { host_llvm_config, .. } = self.ensure(llvm::Llvm { target });
1724 if host_llvm_config.is_file() {
1725 return Some(host_llvm_config);
1726 }
1727 }
1728 None
1729 }
1730
1731 pub fn require_and_update_all_submodules(&self) {
1734 for submodule in self.submodule_paths() {
1735 self.require_submodule(submodule, None);
1736 }
1737 }
1738
1739 pub fn submodule_paths(&self) -> &[String] {
1741 self.submodule_paths_cache.get_or_init(|| build_helper::util::parse_gitmodules(&self.src))
1742 }
1743
1744 pub fn ensure<S: Step>(&'a self, step: S) -> S::Output {
1748 {
1749 let mut stack = self.stack.borrow_mut();
1750 for stack_step in stack.iter() {
1751 if stack_step.downcast_ref::<S>().is_none_or(|stack_step| *stack_step != step) {
1753 continue;
1754 }
1755 let mut out = String::new();
1756 out += &format!("\n\nCycle in build detected when adding {step:?}\n");
1757 for el in stack.iter().rev() {
1758 out += &format!("\t{el:?}\n");
1759 }
1760 panic!("{}", out);
1761 }
1762 if let Some(out) = self.cache.get(&step) {
1763 #[cfg(feature = "tracing")]
1764 {
1765 if let Some(parent) = stack.last() {
1766 let mut graph = self.build.step_graph.borrow_mut();
1767 graph.register_cached_step(&step, parent, self.config.dry_run());
1768 }
1769 }
1770 return out;
1771 }
1772
1773 #[cfg(feature = "tracing")]
1774 {
1775 let parent = stack.last();
1776 let mut graph = self.build.step_graph.borrow_mut();
1777 graph.register_step_execution(&step, parent, self.config.dry_run());
1778 }
1779
1780 stack.push(Box::new(step.clone()));
1781 }
1782
1783 #[cfg(feature = "build-metrics")]
1784 self.metrics.enter_step(&step, self);
1785
1786 if self.config.print_step_timings && !self.config.dry_run() {
1787 println!("[TIMING:start] {}", pretty_print_step(&step));
1788 }
1789
1790 let (out, dur) = {
1791 let start = Instant::now();
1792 let zero = Duration::new(0, 0);
1793 let parent = self.time_spent_on_dependencies.replace(zero);
1794
1795 #[cfg(feature = "tracing")]
1796 let _span = {
1797 let span = tracing::info_span!(
1799 target: STEP_SPAN_TARGET,
1800 "step",
1803 step_name = pretty_step_name::<S>(),
1804 args = step_debug_args(&step)
1805 );
1806 span.entered()
1807 };
1808
1809 let out = step.clone().run(self);
1810 let dur = start.elapsed();
1811 let deps = self.time_spent_on_dependencies.replace(parent + dur);
1812 (out, dur.saturating_sub(deps))
1813 };
1814
1815 if self.config.print_step_timings && !self.config.dry_run() {
1816 println!(
1817 "[TIMING:end] {} -- {}.{:03}",
1818 pretty_print_step(&step),
1819 dur.as_secs(),
1820 dur.subsec_millis()
1821 );
1822 }
1823
1824 #[cfg(feature = "build-metrics")]
1825 self.metrics.exit_step(self);
1826
1827 {
1828 let mut stack = self.stack.borrow_mut();
1829 let cur_step = stack.pop().expect("step stack empty");
1830 assert_eq!(cur_step.downcast_ref(), Some(&step));
1831 }
1832 self.cache.put(step, out.clone());
1833 out
1834 }
1835
1836 pub(crate) fn ensure_if_default<T, S: Step<Output = T>>(
1840 &'a self,
1841 step: S,
1842 kind: Kind,
1843 ) -> Option<S::Output> {
1844 let desc = StepDescription::from::<S>(kind);
1845 let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1846
1847 for pathset in &should_run.paths {
1849 if desc.is_excluded(self, pathset) {
1850 return None;
1851 }
1852 }
1853
1854 if desc.default && should_run.is_really_default() { Some(self.ensure(step)) } else { None }
1856 }
1857
1858 pub(crate) fn was_invoked_explicitly<S: Step>(&'a self, kind: Kind) -> bool {
1860 let desc = StepDescription::from::<S>(kind);
1861 let should_run = (desc.should_run)(ShouldRun::new(self, desc.kind));
1862
1863 for path in &self.paths {
1864 if should_run.paths.iter().any(|s| s.has(path, desc.kind))
1865 && !desc.is_excluded(
1866 self,
1867 &PathSet::Suite(TaskPath { path: path.clone(), kind: Some(desc.kind) }),
1868 )
1869 {
1870 return true;
1871 }
1872 }
1873
1874 false
1875 }
1876
1877 pub(crate) fn maybe_open_in_browser<S: Step>(&self, path: impl AsRef<Path>) {
1878 if self.was_invoked_explicitly::<S>(Kind::Doc) {
1879 self.open_in_browser(path);
1880 } else {
1881 self.info(&format!("Doc path: {}", path.as_ref().display()));
1882 }
1883 }
1884
1885 pub(crate) fn open_in_browser(&self, path: impl AsRef<Path>) {
1886 let path = path.as_ref();
1887
1888 if self.config.dry_run() || !self.config.cmd.open() {
1889 self.info(&format!("Doc path: {}", path.display()));
1890 return;
1891 }
1892
1893 self.info(&format!("Opening doc {}", path.display()));
1894 if let Err(err) = opener::open(path) {
1895 self.info(&format!("{err}\n"));
1896 }
1897 }
1898
1899 pub fn exec_ctx(&self) -> &ExecutionContext {
1900 &self.config.exec_ctx
1901 }
1902}
1903
1904pub fn pretty_step_name<S: Step>() -> String {
1906 let path = type_name::<S>().rsplit("::").take(2).collect::<Vec<_>>();
1908 path.into_iter().rev().collect::<Vec<_>>().join("::")
1909}
1910
1911fn step_debug_args<S: Step>(step: &S) -> String {
1913 let step_dbg_repr = format!("{step:?}");
1914
1915 match (step_dbg_repr.find('{'), step_dbg_repr.rfind('}')) {
1917 (Some(brace_start), Some(brace_end)) => {
1918 step_dbg_repr[brace_start + 1..brace_end - 1].trim().to_string()
1919 }
1920 _ => String::new(),
1921 }
1922}
1923
1924fn pretty_print_step<S: Step>(step: &S) -> String {
1925 format!("{} {{ {} }}", pretty_step_name::<S>(), step_debug_args(step))
1926}
1927
1928impl<'a> AsRef<ExecutionContext> for Builder<'a> {
1929 fn as_ref(&self) -> &ExecutionContext {
1930 self.exec_ctx()
1931 }
1932}