]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/test.rs
Rollup merge of #99632 - danbev:locator.rs-typo, r=Dylan-DPC
[rust.git] / src / bootstrap / test.rs
1 //! Implementation of the test-related targets of the build system.
2 //!
3 //! This file implements the various regression test suites that we execute on
4 //! our CI.
5
6 use std::env;
7 use std::ffi::OsString;
8 use std::fmt;
9 use std::fs;
10 use std::iter;
11 use std::path::{Path, PathBuf};
12 use std::process::{Command, Stdio};
13
14 use crate::builder::{Builder, Compiler, Kind, RunConfig, ShouldRun, Step};
15 use crate::cache::Interned;
16 use crate::compile;
17 use crate::config::TargetSelection;
18 use crate::dist;
19 use crate::flags::Subcommand;
20 use crate::native;
21 use crate::tool::{self, SourceType, Tool};
22 use crate::toolstate::ToolState;
23 use crate::util::{self, add_link_lib_path, dylib_path, dylib_path_var, output, t};
24 use crate::{envify, CLang, DocTests, GitRepo, Mode};
25
26 const ADB_TEST_DIR: &str = "/data/tmp/work";
27
28 /// The two modes of the test runner; tests or benchmarks.
29 #[derive(Debug, PartialEq, Eq, Hash, Copy, Clone, PartialOrd, Ord)]
30 pub enum TestKind {
31     /// Run `cargo test`.
32     Test,
33     /// Run `cargo bench`.
34     Bench,
35 }
36
37 impl From<Kind> for TestKind {
38     fn from(kind: Kind) -> Self {
39         match kind {
40             Kind::Test => TestKind::Test,
41             Kind::Bench => TestKind::Bench,
42             _ => panic!("unexpected kind in crate: {:?}", kind),
43         }
44     }
45 }
46
47 impl TestKind {
48     // Return the cargo subcommand for this test kind
49     fn subcommand(self) -> &'static str {
50         match self {
51             TestKind::Test => "test",
52             TestKind::Bench => "bench",
53         }
54     }
55 }
56
57 impl fmt::Display for TestKind {
58     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
59         f.write_str(match *self {
60             TestKind::Test => "Testing",
61             TestKind::Bench => "Benchmarking",
62         })
63     }
64 }
65
66 fn try_run(builder: &Builder<'_>, cmd: &mut Command) -> bool {
67     if !builder.fail_fast {
68         if !builder.try_run(cmd) {
69             let mut failures = builder.delayed_failures.borrow_mut();
70             failures.push(format!("{:?}", cmd));
71             return false;
72         }
73     } else {
74         builder.run(cmd);
75     }
76     true
77 }
78
79 fn try_run_quiet(builder: &Builder<'_>, cmd: &mut Command) -> bool {
80     if !builder.fail_fast {
81         if !builder.try_run_quiet(cmd) {
82             let mut failures = builder.delayed_failures.borrow_mut();
83             failures.push(format!("{:?}", cmd));
84             return false;
85         }
86     } else {
87         builder.run_quiet(cmd);
88     }
89     true
90 }
91
92 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
93 pub struct Linkcheck {
94     host: TargetSelection,
95 }
96
97 impl Step for Linkcheck {
98     type Output = ();
99     const ONLY_HOSTS: bool = true;
100     const DEFAULT: bool = true;
101
102     /// Runs the `linkchecker` tool as compiled in `stage` by the `host` compiler.
103     ///
104     /// This tool in `src/tools` will verify the validity of all our links in the
105     /// documentation to ensure we don't have a bunch of dead ones.
106     fn run(self, builder: &Builder<'_>) {
107         let host = self.host;
108         let hosts = &builder.hosts;
109         let targets = &builder.targets;
110
111         // if we have different hosts and targets, some things may be built for
112         // the host (e.g. rustc) and others for the target (e.g. std). The
113         // documentation built for each will contain broken links to
114         // docs built for the other platform (e.g. rustc linking to cargo)
115         if (hosts != targets) && !hosts.is_empty() && !targets.is_empty() {
116             panic!(
117                 "Linkcheck currently does not support builds with different hosts and targets.
118 You can skip linkcheck with --exclude src/tools/linkchecker"
119             );
120         }
121
122         builder.info(&format!("Linkcheck ({})", host));
123
124         // Test the linkchecker itself.
125         let bootstrap_host = builder.config.build;
126         let compiler = builder.compiler(0, bootstrap_host);
127         let cargo = tool::prepare_tool_cargo(
128             builder,
129             compiler,
130             Mode::ToolBootstrap,
131             bootstrap_host,
132             "test",
133             "src/tools/linkchecker",
134             SourceType::InTree,
135             &[],
136         );
137         try_run(builder, &mut cargo.into());
138
139         // Build all the default documentation.
140         builder.default_doc(&[]);
141
142         // Run the linkchecker.
143         let _time = util::timeit(&builder);
144         try_run(
145             builder,
146             builder.tool_cmd(Tool::Linkchecker).arg(builder.out.join(host.triple).join("doc")),
147         );
148     }
149
150     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
151         let builder = run.builder;
152         let run = run.path("src/tools/linkchecker");
153         run.default_condition(builder.config.docs)
154     }
155
156     fn make_run(run: RunConfig<'_>) {
157         run.builder.ensure(Linkcheck { host: run.target });
158     }
159 }
160
161 fn check_if_tidy_is_installed() -> bool {
162     Command::new("tidy")
163         .arg("--version")
164         .stdout(Stdio::null())
165         .status()
166         .map_or(false, |status| status.success())
167 }
168
169 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
170 pub struct HtmlCheck {
171     target: TargetSelection,
172 }
173
174 impl Step for HtmlCheck {
175     type Output = ();
176     const DEFAULT: bool = true;
177     const ONLY_HOSTS: bool = true;
178
179     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
180         let run = run.path("src/tools/html-checker");
181         run.lazy_default_condition(Box::new(check_if_tidy_is_installed))
182     }
183
184     fn make_run(run: RunConfig<'_>) {
185         run.builder.ensure(HtmlCheck { target: run.target });
186     }
187
188     fn run(self, builder: &Builder<'_>) {
189         if !check_if_tidy_is_installed() {
190             eprintln!("not running HTML-check tool because `tidy` is missing");
191             eprintln!(
192                 "Note that `tidy` is not the in-tree `src/tools/tidy` but needs to be installed"
193             );
194             panic!("Cannot run html-check tests");
195         }
196         // Ensure that a few different kinds of documentation are available.
197         builder.default_doc(&[]);
198         builder.ensure(crate::doc::Rustc { target: self.target, stage: builder.top_stage });
199
200         try_run(builder, builder.tool_cmd(Tool::HtmlChecker).arg(builder.doc_out(self.target)));
201     }
202 }
203
204 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
205 pub struct Cargotest {
206     stage: u32,
207     host: TargetSelection,
208 }
209
210 impl Step for Cargotest {
211     type Output = ();
212     const ONLY_HOSTS: bool = true;
213
214     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
215         run.path("src/tools/cargotest")
216     }
217
218     fn make_run(run: RunConfig<'_>) {
219         run.builder.ensure(Cargotest { stage: run.builder.top_stage, host: run.target });
220     }
221
222     /// Runs the `cargotest` tool as compiled in `stage` by the `host` compiler.
223     ///
224     /// This tool in `src/tools` will check out a few Rust projects and run `cargo
225     /// test` to ensure that we don't regress the test suites there.
226     fn run(self, builder: &Builder<'_>) {
227         let compiler = builder.compiler(self.stage, self.host);
228         builder.ensure(compile::Rustc::new(compiler, compiler.host));
229         let cargo = builder.ensure(tool::Cargo { compiler, target: compiler.host });
230
231         // Note that this is a short, cryptic, and not scoped directory name. This
232         // is currently to minimize the length of path on Windows where we otherwise
233         // quickly run into path name limit constraints.
234         let out_dir = builder.out.join("ct");
235         t!(fs::create_dir_all(&out_dir));
236
237         let _time = util::timeit(&builder);
238         let mut cmd = builder.tool_cmd(Tool::CargoTest);
239         try_run(
240             builder,
241             cmd.arg(&cargo)
242                 .arg(&out_dir)
243                 .args(builder.config.cmd.test_args())
244                 .env("RUSTC", builder.rustc(compiler))
245                 .env("RUSTDOC", builder.rustdoc(compiler)),
246         );
247     }
248 }
249
250 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
251 pub struct Cargo {
252     stage: u32,
253     host: TargetSelection,
254 }
255
256 impl Step for Cargo {
257     type Output = ();
258     const ONLY_HOSTS: bool = true;
259
260     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
261         run.path("src/tools/cargo")
262     }
263
264     fn make_run(run: RunConfig<'_>) {
265         run.builder.ensure(Cargo { stage: run.builder.top_stage, host: run.target });
266     }
267
268     /// Runs `cargo test` for `cargo` packaged with Rust.
269     fn run(self, builder: &Builder<'_>) {
270         let compiler = builder.compiler(self.stage, self.host);
271
272         builder.ensure(tool::Cargo { compiler, target: self.host });
273         let mut cargo = tool::prepare_tool_cargo(
274             builder,
275             compiler,
276             Mode::ToolRustc,
277             self.host,
278             "test",
279             "src/tools/cargo",
280             SourceType::Submodule,
281             &[],
282         );
283
284         if !builder.fail_fast {
285             cargo.arg("--no-fail-fast");
286         }
287         cargo.arg("--").args(builder.config.cmd.test_args());
288
289         // Don't run cross-compile tests, we may not have cross-compiled libstd libs
290         // available.
291         cargo.env("CFG_DISABLE_CROSS_TESTS", "1");
292         // Disable a test that has issues with mingw.
293         cargo.env("CARGO_TEST_DISABLE_GIT_CLI", "1");
294         // Forcibly disable tests using nightly features since any changes to
295         // those features won't be able to land.
296         cargo.env("CARGO_TEST_DISABLE_NIGHTLY", "1");
297
298         cargo.env("PATH", &path_for_cargo(builder, compiler));
299
300         try_run(builder, &mut cargo.into());
301     }
302 }
303
304 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
305 pub struct Rls {
306     stage: u32,
307     host: TargetSelection,
308 }
309
310 impl Step for Rls {
311     type Output = ();
312     const ONLY_HOSTS: bool = true;
313
314     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
315         run.path("src/tools/rls")
316     }
317
318     fn make_run(run: RunConfig<'_>) {
319         run.builder.ensure(Rls { stage: run.builder.top_stage, host: run.target });
320     }
321
322     /// Runs `cargo test` for the rls.
323     fn run(self, builder: &Builder<'_>) {
324         let stage = self.stage;
325         let host = self.host;
326         let compiler = builder.compiler(stage, host);
327
328         let build_result =
329             builder.ensure(tool::Rls { compiler, target: self.host, extra_features: Vec::new() });
330         if build_result.is_none() {
331             eprintln!("failed to test rls: could not build");
332             return;
333         }
334
335         let mut cargo = tool::prepare_tool_cargo(
336             builder,
337             compiler,
338             Mode::ToolRustc,
339             host,
340             "test",
341             "src/tools/rls",
342             SourceType::Submodule,
343             &[],
344         );
345
346         cargo.add_rustc_lib_path(builder, compiler);
347         cargo.arg("--").args(builder.config.cmd.test_args());
348
349         if try_run(builder, &mut cargo.into()) {
350             builder.save_toolstate("rls", ToolState::TestPass);
351         }
352     }
353 }
354
355 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
356 pub struct Rustfmt {
357     stage: u32,
358     host: TargetSelection,
359 }
360
361 impl Step for Rustfmt {
362     type Output = ();
363     const ONLY_HOSTS: bool = true;
364
365     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
366         run.path("src/tools/rustfmt")
367     }
368
369     fn make_run(run: RunConfig<'_>) {
370         run.builder.ensure(Rustfmt { stage: run.builder.top_stage, host: run.target });
371     }
372
373     /// Runs `cargo test` for rustfmt.
374     fn run(self, builder: &Builder<'_>) {
375         let stage = self.stage;
376         let host = self.host;
377         let compiler = builder.compiler(stage, host);
378
379         builder
380             .ensure(tool::Rustfmt { compiler, target: self.host, extra_features: Vec::new() })
381             .expect("in-tree tool");
382
383         let mut cargo = tool::prepare_tool_cargo(
384             builder,
385             compiler,
386             Mode::ToolRustc,
387             host,
388             "test",
389             "src/tools/rustfmt",
390             SourceType::InTree,
391             &[],
392         );
393
394         let dir = testdir(builder, compiler.host);
395         t!(fs::create_dir_all(&dir));
396         cargo.env("RUSTFMT_TEST_DIR", dir);
397
398         cargo.add_rustc_lib_path(builder, compiler);
399
400         builder.run(&mut cargo.into());
401     }
402 }
403
404 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
405 pub struct RustDemangler {
406     stage: u32,
407     host: TargetSelection,
408 }
409
410 impl Step for RustDemangler {
411     type Output = ();
412     const ONLY_HOSTS: bool = true;
413
414     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
415         run.path("src/tools/rust-demangler")
416     }
417
418     fn make_run(run: RunConfig<'_>) {
419         run.builder.ensure(RustDemangler { stage: run.builder.top_stage, host: run.target });
420     }
421
422     /// Runs `cargo test` for rust-demangler.
423     fn run(self, builder: &Builder<'_>) {
424         let stage = self.stage;
425         let host = self.host;
426         let compiler = builder.compiler(stage, host);
427
428         let rust_demangler = builder
429             .ensure(tool::RustDemangler { compiler, target: self.host, extra_features: Vec::new() })
430             .expect("in-tree tool");
431         let mut cargo = tool::prepare_tool_cargo(
432             builder,
433             compiler,
434             Mode::ToolRustc,
435             host,
436             "test",
437             "src/tools/rust-demangler",
438             SourceType::InTree,
439             &[],
440         );
441
442         let dir = testdir(builder, compiler.host);
443         t!(fs::create_dir_all(&dir));
444
445         cargo.env("RUST_DEMANGLER_DRIVER_PATH", rust_demangler);
446
447         cargo.arg("--").args(builder.config.cmd.test_args());
448
449         cargo.add_rustc_lib_path(builder, compiler);
450
451         builder.run(&mut cargo.into());
452     }
453 }
454
455 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
456 pub struct Miri {
457     stage: u32,
458     host: TargetSelection,
459 }
460
461 impl Step for Miri {
462     type Output = ();
463     const ONLY_HOSTS: bool = true;
464
465     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
466         run.path("src/tools/miri")
467     }
468
469     fn make_run(run: RunConfig<'_>) {
470         run.builder.ensure(Miri { stage: run.builder.top_stage, host: run.target });
471     }
472
473     /// Runs `cargo test` for miri.
474     fn run(self, builder: &Builder<'_>) {
475         let stage = self.stage;
476         let host = self.host;
477         let compiler = builder.compiler(stage, host);
478         // We need the stdlib for the *next* stage, as it was built with this compiler that also built Miri.
479         // Except if we are at stage 2, the bootstrap loop is complete and we can stick with our current stage.
480         let compiler_std = builder.compiler(if stage < 2 { stage + 1 } else { stage }, host);
481
482         let miri =
483             builder.ensure(tool::Miri { compiler, target: self.host, extra_features: Vec::new() });
484         let cargo_miri = builder.ensure(tool::CargoMiri {
485             compiler,
486             target: self.host,
487             extra_features: Vec::new(),
488         });
489         // The stdlib we need might be at a different stage. And just asking for the
490         // sysroot does not seem to populate it, so we do that first.
491         builder.ensure(compile::Std::new(compiler_std, host));
492         let sysroot = builder.sysroot(compiler_std);
493         if let (Some(miri), Some(_cargo_miri)) = (miri, cargo_miri) {
494             let mut cargo =
495                 builder.cargo(compiler, Mode::ToolRustc, SourceType::Submodule, host, "install");
496             cargo.arg("xargo");
497             // Configure `cargo install` path. cargo adds a `bin/`.
498             cargo.env("CARGO_INSTALL_ROOT", &builder.out);
499
500             let mut cargo = Command::from(cargo);
501             if !try_run(builder, &mut cargo) {
502                 return;
503             }
504
505             // # Run `cargo miri setup`.
506             let mut cargo = tool::prepare_tool_cargo(
507                 builder,
508                 compiler,
509                 Mode::ToolRustc,
510                 host,
511                 "run",
512                 "src/tools/miri/cargo-miri",
513                 SourceType::Submodule,
514                 &[],
515             );
516             cargo.add_rustc_lib_path(builder, compiler);
517             cargo.arg("--").arg("miri").arg("setup");
518
519             // Tell `cargo miri setup` where to find the sources.
520             cargo.env("XARGO_RUST_SRC", builder.src.join("library"));
521             // Tell it where to find Miri.
522             cargo.env("MIRI", &miri);
523             // Debug things.
524             cargo.env("RUST_BACKTRACE", "1");
525             // Let cargo-miri know where xargo ended up.
526             cargo.env("XARGO_CHECK", builder.out.join("bin").join("xargo-check"));
527
528             let mut cargo = Command::from(cargo);
529             if !try_run(builder, &mut cargo) {
530                 return;
531             }
532
533             // # Determine where Miri put its sysroot.
534             // To this end, we run `cargo miri setup --print-sysroot` and capture the output.
535             // (We do this separately from the above so that when the setup actually
536             // happens we get some output.)
537             // We re-use the `cargo` from above.
538             cargo.arg("--print-sysroot");
539
540             // FIXME: Is there a way in which we can re-use the usual `run` helpers?
541             let miri_sysroot = if builder.config.dry_run {
542                 String::new()
543             } else {
544                 builder.verbose(&format!("running: {:?}", cargo));
545                 let out = cargo
546                     .output()
547                     .expect("We already ran `cargo miri setup` before and that worked");
548                 assert!(out.status.success(), "`cargo miri setup` returned with non-0 exit code");
549                 // Output is "<sysroot>\n".
550                 let stdout = String::from_utf8(out.stdout)
551                     .expect("`cargo miri setup` stdout is not valid UTF-8");
552                 let sysroot = stdout.trim_end();
553                 builder.verbose(&format!("`cargo miri setup --print-sysroot` said: {:?}", sysroot));
554                 sysroot.to_owned()
555             };
556
557             // # Run `cargo test`.
558             let mut cargo = tool::prepare_tool_cargo(
559                 builder,
560                 compiler,
561                 Mode::ToolRustc,
562                 host,
563                 "test",
564                 "src/tools/miri",
565                 SourceType::Submodule,
566                 &[],
567             );
568             cargo.add_rustc_lib_path(builder, compiler);
569
570             // miri tests need to know about the stage sysroot
571             cargo.env("MIRI_SYSROOT", miri_sysroot);
572             cargo.env("MIRI_HOST_SYSROOT", sysroot);
573             cargo.env("RUSTC_LIB_PATH", builder.rustc_libdir(compiler));
574             cargo.env("MIRI", miri);
575
576             cargo.arg("--").args(builder.config.cmd.test_args());
577
578             let mut cargo = Command::from(cargo);
579             if !try_run(builder, &mut cargo) {
580                 return;
581             }
582
583             // # Done!
584             builder.save_toolstate("miri", ToolState::TestPass);
585         } else {
586             eprintln!("failed to test miri: could not build");
587         }
588     }
589 }
590
591 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
592 pub struct CompiletestTest {
593     host: TargetSelection,
594 }
595
596 impl Step for CompiletestTest {
597     type Output = ();
598
599     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
600         run.path("src/tools/compiletest")
601     }
602
603     fn make_run(run: RunConfig<'_>) {
604         run.builder.ensure(CompiletestTest { host: run.target });
605     }
606
607     /// Runs `cargo test` for compiletest.
608     fn run(self, builder: &Builder<'_>) {
609         let host = self.host;
610         let compiler = builder.compiler(0, host);
611
612         // We need `ToolStd` for the locally-built sysroot because
613         // compiletest uses unstable features of the `test` crate.
614         builder.ensure(compile::Std::new(compiler, host));
615         let cargo = tool::prepare_tool_cargo(
616             builder,
617             compiler,
618             Mode::ToolStd,
619             host,
620             "test",
621             "src/tools/compiletest",
622             SourceType::InTree,
623             &[],
624         );
625
626         try_run(builder, &mut cargo.into());
627     }
628 }
629
630 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
631 pub struct Clippy {
632     stage: u32,
633     host: TargetSelection,
634 }
635
636 impl Step for Clippy {
637     type Output = ();
638     const ONLY_HOSTS: bool = true;
639     const DEFAULT: bool = false;
640
641     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
642         run.path("src/tools/clippy")
643     }
644
645     fn make_run(run: RunConfig<'_>) {
646         run.builder.ensure(Clippy { stage: run.builder.top_stage, host: run.target });
647     }
648
649     /// Runs `cargo test` for clippy.
650     fn run(self, builder: &Builder<'_>) {
651         let stage = self.stage;
652         let host = self.host;
653         let compiler = builder.compiler(stage, host);
654
655         builder
656             .ensure(tool::Clippy { compiler, target: self.host, extra_features: Vec::new() })
657             .expect("in-tree tool");
658         let mut cargo = tool::prepare_tool_cargo(
659             builder,
660             compiler,
661             Mode::ToolRustc,
662             host,
663             "test",
664             "src/tools/clippy",
665             SourceType::InTree,
666             &[],
667         );
668
669         cargo.env("RUSTC_TEST_SUITE", builder.rustc(compiler));
670         cargo.env("RUSTC_LIB_PATH", builder.rustc_libdir(compiler));
671         let host_libs = builder.stage_out(compiler, Mode::ToolRustc).join(builder.cargo_dir());
672         cargo.env("HOST_LIBS", host_libs);
673
674         cargo.arg("--").args(builder.config.cmd.test_args());
675
676         cargo.add_rustc_lib_path(builder, compiler);
677
678         if builder.try_run(&mut cargo.into()) {
679             // The tests succeeded; nothing to do.
680             return;
681         }
682
683         if !builder.config.cmd.bless() {
684             crate::detail_exit(1);
685         }
686
687         let mut cargo = builder.cargo(compiler, Mode::ToolRustc, SourceType::InTree, host, "run");
688         cargo.arg("-p").arg("clippy_dev");
689         // clippy_dev gets confused if it can't find `clippy/Cargo.toml`
690         cargo.current_dir(&builder.src.join("src").join("tools").join("clippy"));
691         if builder.config.rust_optimize {
692             cargo.env("PROFILE", "release");
693         } else {
694             cargo.env("PROFILE", "debug");
695         }
696         cargo.arg("--");
697         cargo.arg("bless");
698         builder.run(&mut cargo.into());
699     }
700 }
701
702 fn path_for_cargo(builder: &Builder<'_>, compiler: Compiler) -> OsString {
703     // Configure PATH to find the right rustc. NB. we have to use PATH
704     // and not RUSTC because the Cargo test suite has tests that will
705     // fail if rustc is not spelled `rustc`.
706     let path = builder.sysroot(compiler).join("bin");
707     let old_path = env::var_os("PATH").unwrap_or_default();
708     env::join_paths(iter::once(path).chain(env::split_paths(&old_path))).expect("")
709 }
710
711 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
712 pub struct RustdocTheme {
713     pub compiler: Compiler,
714 }
715
716 impl Step for RustdocTheme {
717     type Output = ();
718     const DEFAULT: bool = true;
719     const ONLY_HOSTS: bool = true;
720
721     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
722         run.path("src/tools/rustdoc-themes")
723     }
724
725     fn make_run(run: RunConfig<'_>) {
726         let compiler = run.builder.compiler(run.builder.top_stage, run.target);
727
728         run.builder.ensure(RustdocTheme { compiler });
729     }
730
731     fn run(self, builder: &Builder<'_>) {
732         let rustdoc = builder.bootstrap_out.join("rustdoc");
733         let mut cmd = builder.tool_cmd(Tool::RustdocTheme);
734         cmd.arg(rustdoc.to_str().unwrap())
735             .arg(builder.src.join("src/librustdoc/html/static/css/themes").to_str().unwrap())
736             .env("RUSTC_STAGE", self.compiler.stage.to_string())
737             .env("RUSTC_SYSROOT", builder.sysroot(self.compiler))
738             .env("RUSTDOC_LIBDIR", builder.sysroot_libdir(self.compiler, self.compiler.host))
739             .env("CFG_RELEASE_CHANNEL", &builder.config.channel)
740             .env("RUSTDOC_REAL", builder.rustdoc(self.compiler))
741             .env("RUSTC_BOOTSTRAP", "1");
742         if let Some(linker) = builder.linker(self.compiler.host) {
743             cmd.env("RUSTDOC_LINKER", linker);
744         }
745         if builder.is_fuse_ld_lld(self.compiler.host) {
746             cmd.env("RUSTDOC_FUSE_LD_LLD", "1");
747         }
748         try_run(builder, &mut cmd);
749     }
750 }
751
752 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
753 pub struct RustdocJSStd {
754     pub target: TargetSelection,
755 }
756
757 impl Step for RustdocJSStd {
758     type Output = ();
759     const DEFAULT: bool = true;
760     const ONLY_HOSTS: bool = true;
761
762     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
763         run.suite_path("src/test/rustdoc-js-std")
764     }
765
766     fn make_run(run: RunConfig<'_>) {
767         run.builder.ensure(RustdocJSStd { target: run.target });
768     }
769
770     fn run(self, builder: &Builder<'_>) {
771         if let Some(ref nodejs) = builder.config.nodejs {
772             let mut command = Command::new(nodejs);
773             command
774                 .arg(builder.src.join("src/tools/rustdoc-js/tester.js"))
775                 .arg("--crate-name")
776                 .arg("std")
777                 .arg("--resource-suffix")
778                 .arg(&builder.version)
779                 .arg("--doc-folder")
780                 .arg(builder.doc_out(self.target))
781                 .arg("--test-folder")
782                 .arg(builder.src.join("src/test/rustdoc-js-std"));
783             for path in &builder.paths {
784                 if let Some(p) =
785                     util::is_valid_test_suite_arg(path, "src/test/rustdoc-js-std", builder)
786                 {
787                     if !p.ends_with(".js") {
788                         eprintln!("A non-js file was given: `{}`", path.display());
789                         panic!("Cannot run rustdoc-js-std tests");
790                     }
791                     command.arg("--test-file").arg(path);
792                 }
793             }
794             builder.ensure(crate::doc::Std { target: self.target, stage: builder.top_stage });
795             builder.run(&mut command);
796         } else {
797             builder.info("No nodejs found, skipping \"src/test/rustdoc-js-std\" tests");
798         }
799     }
800 }
801
802 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
803 pub struct RustdocJSNotStd {
804     pub target: TargetSelection,
805     pub compiler: Compiler,
806 }
807
808 impl Step for RustdocJSNotStd {
809     type Output = ();
810     const DEFAULT: bool = true;
811     const ONLY_HOSTS: bool = true;
812
813     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
814         run.suite_path("src/test/rustdoc-js")
815     }
816
817     fn make_run(run: RunConfig<'_>) {
818         let compiler = run.builder.compiler(run.builder.top_stage, run.build_triple());
819         run.builder.ensure(RustdocJSNotStd { target: run.target, compiler });
820     }
821
822     fn run(self, builder: &Builder<'_>) {
823         if builder.config.nodejs.is_some() {
824             builder.ensure(Compiletest {
825                 compiler: self.compiler,
826                 target: self.target,
827                 mode: "js-doc-test",
828                 suite: "rustdoc-js",
829                 path: "src/test/rustdoc-js",
830                 compare_mode: None,
831             });
832         } else {
833             builder.info("No nodejs found, skipping \"src/test/rustdoc-js\" tests");
834         }
835     }
836 }
837
838 fn get_browser_ui_test_version_inner(npm: &Path, global: bool) -> Option<String> {
839     let mut command = Command::new(&npm);
840     command.arg("list").arg("--parseable").arg("--long").arg("--depth=0");
841     if global {
842         command.arg("--global");
843     }
844     let lines = command
845         .output()
846         .map(|output| String::from_utf8_lossy(&output.stdout).into_owned())
847         .unwrap_or(String::new());
848     lines.lines().find_map(|l| l.split(":browser-ui-test@").skip(1).next()).map(|v| v.to_owned())
849 }
850
851 fn get_browser_ui_test_version(npm: &Path) -> Option<String> {
852     get_browser_ui_test_version_inner(npm, false)
853         .or_else(|| get_browser_ui_test_version_inner(npm, true))
854 }
855
856 fn compare_browser_ui_test_version(installed_version: &str, src: &Path) {
857     match fs::read_to_string(
858         src.join("src/ci/docker/host-x86_64/x86_64-gnu-tools/browser-ui-test.version"),
859     ) {
860         Ok(v) => {
861             if v.trim() != installed_version {
862                 eprintln!(
863                     "⚠️ Installed version of browser-ui-test (`{}`) is different than the \
864                      one used in the CI (`{}`)",
865                     installed_version, v
866                 );
867             }
868         }
869         Err(e) => eprintln!("Couldn't find the CI browser-ui-test version: {:?}", e),
870     }
871 }
872
873 #[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
874 pub struct RustdocGUI {
875     pub target: TargetSelection,
876     pub compiler: Compiler,
877 }
878
879 impl Step for RustdocGUI {
880     type Output = ();
881     const DEFAULT: bool = true;
882     const ONLY_HOSTS: bool = true;
883
884     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
885         let builder = run.builder;
886         let run = run.suite_path("src/test/rustdoc-gui");
887         run.lazy_default_condition(Box::new(move || {
888             builder.config.nodejs.is_some()
889                 && builder
890                     .config
891                     .npm
892                     .as_ref()
893                     .map(|p| get_browser_ui_test_version(p).is_some())
894                     .unwrap_or(false)
895         }))
896     }
897
898     fn make_run(run: RunConfig<'_>) {
899         let compiler = run.builder.compiler(run.builder.top_stage, run.build_triple());
900         run.builder.ensure(RustdocGUI { target: run.target, compiler });
901     }
902
903     fn run(self, builder: &Builder<'_>) {
904         let nodejs = builder.config.nodejs.as_ref().expect("nodejs isn't available");
905         let npm = builder.config.npm.as_ref().expect("npm isn't available");
906
907         builder.ensure(compile::Std::new(self.compiler, self.target));
908
909         // The goal here is to check if the necessary packages are installed, and if not, we
910         // panic.
911         match get_browser_ui_test_version(&npm) {
912             Some(version) => {
913                 // We also check the version currently used in CI and emit a warning if it's not the
914                 // same one.
915                 compare_browser_ui_test_version(&version, &builder.build.src);
916             }
917             None => {
918                 eprintln!(
919                     "error: rustdoc-gui test suite cannot be run because npm `browser-ui-test` \
920                      dependency is missing",
921                 );
922                 eprintln!(
923                     "If you want to install the `{0}` dependency, run `npm install {0}`",
924                     "browser-ui-test",
925                 );
926                 panic!("Cannot run rustdoc-gui tests");
927             }
928         }
929
930         let out_dir = builder.test_out(self.target).join("rustdoc-gui");
931
932         // We remove existing folder to be sure there won't be artifacts remaining.
933         builder.clear_if_dirty(&out_dir, &builder.rustdoc(self.compiler));
934
935         let src_path = builder.build.src.join("src/test/rustdoc-gui/src");
936         // We generate docs for the libraries present in the rustdoc-gui's src folder.
937         for entry in src_path.read_dir().expect("read_dir call failed") {
938             if let Ok(entry) = entry {
939                 let path = entry.path();
940
941                 if !path.is_dir() {
942                     continue;
943                 }
944
945                 let mut cargo = Command::new(&builder.initial_cargo);
946                 cargo
947                     .arg("doc")
948                     .arg("--target-dir")
949                     .arg(&out_dir)
950                     .env("RUSTDOC", builder.rustdoc(self.compiler))
951                     .env("RUSTC", builder.rustc(self.compiler))
952                     .current_dir(path);
953                 // FIXME: implement a `// compile-flags` command or similar
954                 //        instead of hard-coding this test
955                 if entry.file_name() == "link_to_definition" {
956                     cargo.env("RUSTDOCFLAGS", "-Zunstable-options --generate-link-to-definition");
957                 }
958                 builder.run(&mut cargo);
959             }
960         }
961
962         // We now run GUI tests.
963         let mut command = Command::new(&nodejs);
964         command
965             .arg(builder.build.src.join("src/tools/rustdoc-gui/tester.js"))
966             .arg("--jobs")
967             .arg(&builder.jobs().to_string())
968             .arg("--doc-folder")
969             .arg(out_dir.join("doc"))
970             .arg("--tests-folder")
971             .arg(builder.build.src.join("src/test/rustdoc-gui"));
972         for path in &builder.paths {
973             if let Some(p) = util::is_valid_test_suite_arg(path, "src/test/rustdoc-gui", builder) {
974                 if !p.ends_with(".goml") {
975                     eprintln!("A non-goml file was given: `{}`", path.display());
976                     panic!("Cannot run rustdoc-gui tests");
977                 }
978                 if let Some(name) = path.file_name().and_then(|f| f.to_str()) {
979                     command.arg("--file").arg(name);
980                 }
981             }
982         }
983         for test_arg in builder.config.cmd.test_args() {
984             command.arg(test_arg);
985         }
986         builder.run(&mut command);
987     }
988 }
989
990 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
991 pub struct Tidy;
992
993 impl Step for Tidy {
994     type Output = ();
995     const DEFAULT: bool = true;
996     const ONLY_HOSTS: bool = true;
997
998     /// Runs the `tidy` tool.
999     ///
1000     /// This tool in `src/tools` checks up on various bits and pieces of style and
1001     /// otherwise just implements a few lint-like checks that are specific to the
1002     /// compiler itself.
1003     ///
1004     /// Once tidy passes, this step also runs `fmt --check` if tests are being run
1005     /// for the `dev` or `nightly` channels.
1006     fn run(self, builder: &Builder<'_>) {
1007         let mut cmd = builder.tool_cmd(Tool::Tidy);
1008         cmd.arg(&builder.src);
1009         cmd.arg(&builder.initial_cargo);
1010         cmd.arg(&builder.out);
1011         cmd.arg(builder.jobs().to_string());
1012         if builder.is_verbose() {
1013             cmd.arg("--verbose");
1014         }
1015
1016         builder.info("tidy check");
1017         try_run(builder, &mut cmd);
1018
1019         if builder.config.channel == "dev" || builder.config.channel == "nightly" {
1020             builder.info("fmt check");
1021             if builder.initial_rustfmt().is_none() {
1022                 let inferred_rustfmt_dir = builder.config.initial_rustc.parent().unwrap();
1023                 eprintln!(
1024                     "\
1025 error: no `rustfmt` binary found in {PATH}
1026 info: `rust.channel` is currently set to \"{CHAN}\"
1027 help: if you are testing a beta branch, set `rust.channel` to \"beta\" in the `config.toml` file
1028 help: to skip test's attempt to check tidiness, pass `--exclude src/tools/tidy` to `x.py test`",
1029                     PATH = inferred_rustfmt_dir.display(),
1030                     CHAN = builder.config.channel,
1031                 );
1032                 crate::detail_exit(1);
1033             }
1034             crate::format::format(&builder, !builder.config.cmd.bless(), &[]);
1035         }
1036     }
1037
1038     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1039         run.path("src/tools/tidy")
1040     }
1041
1042     fn make_run(run: RunConfig<'_>) {
1043         run.builder.ensure(Tidy);
1044     }
1045 }
1046
1047 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1048 pub struct ExpandYamlAnchors;
1049
1050 impl Step for ExpandYamlAnchors {
1051     type Output = ();
1052     const ONLY_HOSTS: bool = true;
1053
1054     /// Ensure the `generate-ci-config` tool was run locally.
1055     ///
1056     /// The tool in `src/tools` reads the CI definition in `src/ci/builders.yml` and generates the
1057     /// appropriate configuration for all our CI providers. This step ensures the tool was called
1058     /// by the user before committing CI changes.
1059     fn run(self, builder: &Builder<'_>) {
1060         builder.info("Ensuring the YAML anchors in the GitHub Actions config were expanded");
1061         try_run(
1062             builder,
1063             &mut builder.tool_cmd(Tool::ExpandYamlAnchors).arg("check").arg(&builder.src),
1064         );
1065     }
1066
1067     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1068         run.path("src/tools/expand-yaml-anchors")
1069     }
1070
1071     fn make_run(run: RunConfig<'_>) {
1072         run.builder.ensure(ExpandYamlAnchors);
1073     }
1074 }
1075
1076 fn testdir(builder: &Builder<'_>, host: TargetSelection) -> PathBuf {
1077     builder.out.join(host.triple).join("test")
1078 }
1079
1080 macro_rules! default_test {
1081     ($name:ident { path: $path:expr, mode: $mode:expr, suite: $suite:expr }) => {
1082         test!($name { path: $path, mode: $mode, suite: $suite, default: true, host: false });
1083     };
1084 }
1085
1086 macro_rules! default_test_with_compare_mode {
1087     ($name:ident { path: $path:expr, mode: $mode:expr, suite: $suite:expr,
1088                    compare_mode: $compare_mode:expr }) => {
1089         test_with_compare_mode!($name {
1090             path: $path,
1091             mode: $mode,
1092             suite: $suite,
1093             default: true,
1094             host: false,
1095             compare_mode: $compare_mode
1096         });
1097     };
1098 }
1099
1100 macro_rules! host_test {
1101     ($name:ident { path: $path:expr, mode: $mode:expr, suite: $suite:expr }) => {
1102         test!($name { path: $path, mode: $mode, suite: $suite, default: true, host: true });
1103     };
1104 }
1105
1106 macro_rules! test {
1107     ($name:ident { path: $path:expr, mode: $mode:expr, suite: $suite:expr, default: $default:expr,
1108                    host: $host:expr }) => {
1109         test_definitions!($name {
1110             path: $path,
1111             mode: $mode,
1112             suite: $suite,
1113             default: $default,
1114             host: $host,
1115             compare_mode: None
1116         });
1117     };
1118 }
1119
1120 macro_rules! test_with_compare_mode {
1121     ($name:ident { path: $path:expr, mode: $mode:expr, suite: $suite:expr, default: $default:expr,
1122                    host: $host:expr, compare_mode: $compare_mode:expr }) => {
1123         test_definitions!($name {
1124             path: $path,
1125             mode: $mode,
1126             suite: $suite,
1127             default: $default,
1128             host: $host,
1129             compare_mode: Some($compare_mode)
1130         });
1131     };
1132 }
1133
1134 macro_rules! test_definitions {
1135     ($name:ident {
1136         path: $path:expr,
1137         mode: $mode:expr,
1138         suite: $suite:expr,
1139         default: $default:expr,
1140         host: $host:expr,
1141         compare_mode: $compare_mode:expr
1142     }) => {
1143         #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1144         pub struct $name {
1145             pub compiler: Compiler,
1146             pub target: TargetSelection,
1147         }
1148
1149         impl Step for $name {
1150             type Output = ();
1151             const DEFAULT: bool = $default;
1152             const ONLY_HOSTS: bool = $host;
1153
1154             fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1155                 run.suite_path($path)
1156             }
1157
1158             fn make_run(run: RunConfig<'_>) {
1159                 let compiler = run.builder.compiler(run.builder.top_stage, run.build_triple());
1160
1161                 run.builder.ensure($name { compiler, target: run.target });
1162             }
1163
1164             fn run(self, builder: &Builder<'_>) {
1165                 builder.ensure(Compiletest {
1166                     compiler: self.compiler,
1167                     target: self.target,
1168                     mode: $mode,
1169                     suite: $suite,
1170                     path: $path,
1171                     compare_mode: $compare_mode,
1172                 })
1173             }
1174         }
1175     };
1176 }
1177
1178 default_test!(Ui { path: "src/test/ui", mode: "ui", suite: "ui" });
1179
1180 default_test!(RunPassValgrind {
1181     path: "src/test/run-pass-valgrind",
1182     mode: "run-pass-valgrind",
1183     suite: "run-pass-valgrind"
1184 });
1185
1186 default_test!(MirOpt { path: "src/test/mir-opt", mode: "mir-opt", suite: "mir-opt" });
1187
1188 default_test!(Codegen { path: "src/test/codegen", mode: "codegen", suite: "codegen" });
1189
1190 default_test!(CodegenUnits {
1191     path: "src/test/codegen-units",
1192     mode: "codegen-units",
1193     suite: "codegen-units"
1194 });
1195
1196 default_test!(Incremental {
1197     path: "src/test/incremental",
1198     mode: "incremental",
1199     suite: "incremental"
1200 });
1201
1202 default_test_with_compare_mode!(Debuginfo {
1203     path: "src/test/debuginfo",
1204     mode: "debuginfo",
1205     suite: "debuginfo",
1206     compare_mode: "split-dwarf"
1207 });
1208
1209 host_test!(UiFullDeps { path: "src/test/ui-fulldeps", mode: "ui", suite: "ui-fulldeps" });
1210
1211 host_test!(Rustdoc { path: "src/test/rustdoc", mode: "rustdoc", suite: "rustdoc" });
1212 host_test!(RustdocUi { path: "src/test/rustdoc-ui", mode: "ui", suite: "rustdoc-ui" });
1213
1214 host_test!(RustdocJson {
1215     path: "src/test/rustdoc-json",
1216     mode: "rustdoc-json",
1217     suite: "rustdoc-json"
1218 });
1219
1220 host_test!(Pretty { path: "src/test/pretty", mode: "pretty", suite: "pretty" });
1221
1222 default_test!(RunMake { path: "src/test/run-make", mode: "run-make", suite: "run-make" });
1223
1224 host_test!(RunMakeFullDeps {
1225     path: "src/test/run-make-fulldeps",
1226     mode: "run-make",
1227     suite: "run-make-fulldeps"
1228 });
1229
1230 default_test!(Assembly { path: "src/test/assembly", mode: "assembly", suite: "assembly" });
1231
1232 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1233 struct Compiletest {
1234     compiler: Compiler,
1235     target: TargetSelection,
1236     mode: &'static str,
1237     suite: &'static str,
1238     path: &'static str,
1239     compare_mode: Option<&'static str>,
1240 }
1241
1242 impl Step for Compiletest {
1243     type Output = ();
1244
1245     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1246         run.never()
1247     }
1248
1249     /// Executes the `compiletest` tool to run a suite of tests.
1250     ///
1251     /// Compiles all tests with `compiler` for `target` with the specified
1252     /// compiletest `mode` and `suite` arguments. For example `mode` can be
1253     /// "run-pass" or `suite` can be something like `debuginfo`.
1254     fn run(self, builder: &Builder<'_>) {
1255         if builder.top_stage == 0 && env::var("COMPILETEST_FORCE_STAGE0").is_err() {
1256             eprintln!("\
1257 error: `--stage 0` runs compiletest on the beta compiler, not your local changes, and will almost always cause tests to fail
1258 help: to test the compiler, use `--stage 1` instead
1259 help: to test the standard library, use `--stage 0 library/std` instead
1260 note: if you're sure you want to do this, please open an issue as to why. In the meantime, you can override this with `COMPILETEST_FORCE_STAGE0=1`."
1261             );
1262             crate::detail_exit(1);
1263         }
1264
1265         let compiler = self.compiler;
1266         let target = self.target;
1267         let mode = self.mode;
1268         let suite = self.suite;
1269
1270         // Path for test suite
1271         let suite_path = self.path;
1272
1273         // Skip codegen tests if they aren't enabled in configuration.
1274         if !builder.config.codegen_tests && suite == "codegen" {
1275             return;
1276         }
1277
1278         if suite == "debuginfo" {
1279             builder
1280                 .ensure(dist::DebuggerScripts { sysroot: builder.sysroot(compiler), host: target });
1281         }
1282
1283         if suite.ends_with("fulldeps") {
1284             builder.ensure(compile::Rustc::new(compiler, target));
1285         }
1286
1287         builder.ensure(compile::Std::new(compiler, target));
1288         // ensure that `libproc_macro` is available on the host.
1289         builder.ensure(compile::Std::new(compiler, compiler.host));
1290
1291         // Also provide `rust_test_helpers` for the host.
1292         builder.ensure(native::TestHelpers { target: compiler.host });
1293
1294         // As well as the target, except for plain wasm32, which can't build it
1295         if !target.contains("wasm") || target.contains("emscripten") {
1296             builder.ensure(native::TestHelpers { target });
1297         }
1298
1299         builder.ensure(RemoteCopyLibs { compiler, target });
1300
1301         let mut cmd = builder.tool_cmd(Tool::Compiletest);
1302
1303         // compiletest currently has... a lot of arguments, so let's just pass all
1304         // of them!
1305
1306         cmd.arg("--compile-lib-path").arg(builder.rustc_libdir(compiler));
1307         cmd.arg("--run-lib-path").arg(builder.sysroot_libdir(compiler, target));
1308         cmd.arg("--rustc-path").arg(builder.rustc(compiler));
1309
1310         let is_rustdoc = suite.ends_with("rustdoc-ui") || suite.ends_with("rustdoc-js");
1311
1312         // Avoid depending on rustdoc when we don't need it.
1313         if mode == "rustdoc"
1314             || mode == "run-make"
1315             || (mode == "ui" && is_rustdoc)
1316             || mode == "js-doc-test"
1317             || mode == "rustdoc-json"
1318         {
1319             cmd.arg("--rustdoc-path").arg(builder.rustdoc(compiler));
1320         }
1321
1322         if mode == "rustdoc-json" {
1323             // Use the beta compiler for jsondocck
1324             let json_compiler = compiler.with_stage(0);
1325             cmd.arg("--jsondocck-path")
1326                 .arg(builder.ensure(tool::JsonDocCk { compiler: json_compiler, target }));
1327         }
1328
1329         if mode == "run-make" && suite.ends_with("fulldeps") {
1330             let rust_demangler = builder
1331                 .ensure(tool::RustDemangler { compiler, target, extra_features: Vec::new() })
1332                 .expect("in-tree tool");
1333             cmd.arg("--rust-demangler-path").arg(rust_demangler);
1334         }
1335
1336         cmd.arg("--src-base").arg(builder.src.join("src/test").join(suite));
1337         cmd.arg("--build-base").arg(testdir(builder, compiler.host).join(suite));
1338         cmd.arg("--stage-id").arg(format!("stage{}-{}", compiler.stage, target));
1339         cmd.arg("--suite").arg(suite);
1340         cmd.arg("--mode").arg(mode);
1341         cmd.arg("--target").arg(target.rustc_target_arg());
1342         cmd.arg("--host").arg(&*compiler.host.triple);
1343         cmd.arg("--llvm-filecheck").arg(builder.llvm_filecheck(builder.config.build));
1344
1345         if builder.config.cmd.bless() {
1346             cmd.arg("--bless");
1347         }
1348
1349         if builder.config.cmd.force_rerun() {
1350             cmd.arg("--force-rerun");
1351         }
1352
1353         let compare_mode =
1354             builder.config.cmd.compare_mode().or_else(|| {
1355                 if builder.config.test_compare_mode { self.compare_mode } else { None }
1356             });
1357
1358         if let Some(ref pass) = builder.config.cmd.pass() {
1359             cmd.arg("--pass");
1360             cmd.arg(pass);
1361         }
1362
1363         if let Some(ref run) = builder.config.cmd.run() {
1364             cmd.arg("--run");
1365             cmd.arg(run);
1366         }
1367
1368         if let Some(ref nodejs) = builder.config.nodejs {
1369             cmd.arg("--nodejs").arg(nodejs);
1370         }
1371         if let Some(ref npm) = builder.config.npm {
1372             cmd.arg("--npm").arg(npm);
1373         }
1374         if builder.config.rust_optimize_tests {
1375             cmd.arg("--optimize-tests");
1376         }
1377         let mut flags = if is_rustdoc { Vec::new() } else { vec!["-Crpath".to_string()] };
1378         flags.push(format!("-Cdebuginfo={}", builder.config.rust_debuginfo_level_tests));
1379         flags.push(builder.config.cmd.rustc_args().join(" "));
1380
1381         if let Some(linker) = builder.linker(target) {
1382             cmd.arg("--linker").arg(linker);
1383         }
1384
1385         let mut hostflags = flags.clone();
1386         hostflags.push(format!("-Lnative={}", builder.test_helpers_out(compiler.host).display()));
1387         hostflags.extend(builder.lld_flags(compiler.host));
1388         cmd.arg("--host-rustcflags").arg(hostflags.join(" "));
1389
1390         let mut targetflags = flags;
1391         targetflags.push(format!("-Lnative={}", builder.test_helpers_out(target).display()));
1392         targetflags.extend(builder.lld_flags(target));
1393         cmd.arg("--target-rustcflags").arg(targetflags.join(" "));
1394
1395         cmd.arg("--python").arg(builder.python());
1396
1397         if let Some(ref gdb) = builder.config.gdb {
1398             cmd.arg("--gdb").arg(gdb);
1399         }
1400
1401         let run = |cmd: &mut Command| {
1402             cmd.output().map(|output| {
1403                 String::from_utf8_lossy(&output.stdout)
1404                     .lines()
1405                     .next()
1406                     .unwrap_or_else(|| panic!("{:?} failed {:?}", cmd, output))
1407                     .to_string()
1408             })
1409         };
1410         let lldb_exe = "lldb";
1411         let lldb_version = Command::new(lldb_exe)
1412             .arg("--version")
1413             .output()
1414             .map(|output| String::from_utf8_lossy(&output.stdout).to_string())
1415             .ok();
1416         if let Some(ref vers) = lldb_version {
1417             cmd.arg("--lldb-version").arg(vers);
1418             let lldb_python_dir = run(Command::new(lldb_exe).arg("-P")).ok();
1419             if let Some(ref dir) = lldb_python_dir {
1420                 cmd.arg("--lldb-python-dir").arg(dir);
1421             }
1422         }
1423
1424         if util::forcing_clang_based_tests() {
1425             let clang_exe = builder.llvm_out(target).join("bin").join("clang");
1426             cmd.arg("--run-clang-based-tests-with").arg(clang_exe);
1427         }
1428
1429         // Get paths from cmd args
1430         let paths = match &builder.config.cmd {
1431             Subcommand::Test { ref paths, .. } => &paths[..],
1432             _ => &[],
1433         };
1434
1435         // Get test-args by striping suite path
1436         let mut test_args: Vec<&str> = paths
1437             .iter()
1438             .filter_map(|p| util::is_valid_test_suite_arg(p, suite_path, builder))
1439             .collect();
1440
1441         test_args.append(&mut builder.config.cmd.test_args());
1442
1443         cmd.args(&test_args);
1444
1445         if builder.is_verbose() {
1446             cmd.arg("--verbose");
1447         }
1448
1449         if !builder.config.verbose_tests {
1450             cmd.arg("--quiet");
1451         }
1452
1453         let mut llvm_components_passed = false;
1454         let mut copts_passed = false;
1455         if builder.config.llvm_enabled() {
1456             let llvm_config = builder.ensure(native::Llvm { target: builder.config.build });
1457             if !builder.config.dry_run {
1458                 let llvm_version = output(Command::new(&llvm_config).arg("--version"));
1459                 let llvm_components = output(Command::new(&llvm_config).arg("--components"));
1460                 // Remove trailing newline from llvm-config output.
1461                 cmd.arg("--llvm-version")
1462                     .arg(llvm_version.trim())
1463                     .arg("--llvm-components")
1464                     .arg(llvm_components.trim());
1465                 llvm_components_passed = true;
1466             }
1467             if !builder.is_rust_llvm(target) {
1468                 cmd.arg("--system-llvm");
1469             }
1470
1471             // Tests that use compiler libraries may inherit the `-lLLVM` link
1472             // requirement, but the `-L` library path is not propagated across
1473             // separate compilations. We can add LLVM's library path to the
1474             // platform-specific environment variable as a workaround.
1475             if !builder.config.dry_run && suite.ends_with("fulldeps") {
1476                 let llvm_libdir = output(Command::new(&llvm_config).arg("--libdir"));
1477                 add_link_lib_path(vec![llvm_libdir.trim().into()], &mut cmd);
1478             }
1479
1480             // Only pass correct values for these flags for the `run-make` suite as it
1481             // requires that a C++ compiler was configured which isn't always the case.
1482             if !builder.config.dry_run && matches!(suite, "run-make" | "run-make-fulldeps") {
1483                 // The llvm/bin directory contains many useful cross-platform
1484                 // tools. Pass the path to run-make tests so they can use them.
1485                 let llvm_bin_path = llvm_config
1486                     .parent()
1487                     .expect("Expected llvm-config to be contained in directory");
1488                 assert!(llvm_bin_path.is_dir());
1489                 cmd.arg("--llvm-bin-dir").arg(llvm_bin_path);
1490
1491                 // If LLD is available, add it to the PATH
1492                 if builder.config.lld_enabled {
1493                     let lld_install_root =
1494                         builder.ensure(native::Lld { target: builder.config.build });
1495
1496                     let lld_bin_path = lld_install_root.join("bin");
1497
1498                     let old_path = env::var_os("PATH").unwrap_or_default();
1499                     let new_path = env::join_paths(
1500                         std::iter::once(lld_bin_path).chain(env::split_paths(&old_path)),
1501                     )
1502                     .expect("Could not add LLD bin path to PATH");
1503                     cmd.env("PATH", new_path);
1504                 }
1505             }
1506         }
1507
1508         // Only pass correct values for these flags for the `run-make` suite as it
1509         // requires that a C++ compiler was configured which isn't always the case.
1510         if !builder.config.dry_run && matches!(suite, "run-make" | "run-make-fulldeps") {
1511             cmd.arg("--cc")
1512                 .arg(builder.cc(target))
1513                 .arg("--cxx")
1514                 .arg(builder.cxx(target).unwrap())
1515                 .arg("--cflags")
1516                 .arg(builder.cflags(target, GitRepo::Rustc, CLang::C).join(" "))
1517                 .arg("--cxxflags")
1518                 .arg(builder.cflags(target, GitRepo::Rustc, CLang::Cxx).join(" "));
1519             copts_passed = true;
1520             if let Some(ar) = builder.ar(target) {
1521                 cmd.arg("--ar").arg(ar);
1522             }
1523         }
1524
1525         if !llvm_components_passed {
1526             cmd.arg("--llvm-components").arg("");
1527         }
1528         if !copts_passed {
1529             cmd.arg("--cc")
1530                 .arg("")
1531                 .arg("--cxx")
1532                 .arg("")
1533                 .arg("--cflags")
1534                 .arg("")
1535                 .arg("--cxxflags")
1536                 .arg("");
1537         }
1538
1539         if builder.remote_tested(target) {
1540             cmd.arg("--remote-test-client").arg(builder.tool_exe(Tool::RemoteTestClient));
1541         }
1542
1543         // Running a C compiler on MSVC requires a few env vars to be set, to be
1544         // sure to set them here.
1545         //
1546         // Note that if we encounter `PATH` we make sure to append to our own `PATH`
1547         // rather than stomp over it.
1548         if target.contains("msvc") {
1549             for &(ref k, ref v) in builder.cc[&target].env() {
1550                 if k != "PATH" {
1551                     cmd.env(k, v);
1552                 }
1553             }
1554         }
1555         cmd.env("RUSTC_BOOTSTRAP", "1");
1556         // Override the rustc version used in symbol hashes to reduce the amount of normalization
1557         // needed when diffing test output.
1558         cmd.env("RUSTC_FORCE_RUSTC_VERSION", "compiletest");
1559         cmd.env("DOC_RUST_LANG_ORG_CHANNEL", builder.doc_rust_lang_org_channel());
1560         builder.add_rust_test_threads(&mut cmd);
1561
1562         if builder.config.sanitizers_enabled(target) {
1563             cmd.env("RUSTC_SANITIZER_SUPPORT", "1");
1564         }
1565
1566         if builder.config.profiler_enabled(target) {
1567             cmd.env("RUSTC_PROFILER_SUPPORT", "1");
1568         }
1569
1570         cmd.env("RUST_TEST_TMPDIR", builder.tempdir());
1571
1572         cmd.arg("--adb-path").arg("adb");
1573         cmd.arg("--adb-test-dir").arg(ADB_TEST_DIR);
1574         if target.contains("android") {
1575             // Assume that cc for this target comes from the android sysroot
1576             cmd.arg("--android-cross-path")
1577                 .arg(builder.cc(target).parent().unwrap().parent().unwrap());
1578         } else {
1579             cmd.arg("--android-cross-path").arg("");
1580         }
1581
1582         if builder.config.cmd.rustfix_coverage() {
1583             cmd.arg("--rustfix-coverage");
1584         }
1585
1586         cmd.env("BOOTSTRAP_CARGO", &builder.initial_cargo);
1587
1588         cmd.arg("--channel").arg(&builder.config.channel);
1589
1590         builder.ci_env.force_coloring_in_ci(&mut cmd);
1591
1592         builder.info(&format!(
1593             "Check compiletest suite={} mode={} ({} -> {})",
1594             suite, mode, &compiler.host, target
1595         ));
1596         let _time = util::timeit(&builder);
1597         try_run(builder, &mut cmd);
1598
1599         if let Some(compare_mode) = compare_mode {
1600             cmd.arg("--compare-mode").arg(compare_mode);
1601             builder.info(&format!(
1602                 "Check compiletest suite={} mode={} compare_mode={} ({} -> {})",
1603                 suite, mode, compare_mode, &compiler.host, target
1604             ));
1605             let _time = util::timeit(&builder);
1606             try_run(builder, &mut cmd);
1607         }
1608     }
1609 }
1610
1611 #[derive(Debug, Clone, PartialEq, Eq, Hash)]
1612 struct BookTest {
1613     compiler: Compiler,
1614     path: PathBuf,
1615     name: &'static str,
1616     is_ext_doc: bool,
1617 }
1618
1619 impl Step for BookTest {
1620     type Output = ();
1621     const ONLY_HOSTS: bool = true;
1622
1623     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1624         run.never()
1625     }
1626
1627     /// Runs the documentation tests for a book in `src/doc`.
1628     ///
1629     /// This uses the `rustdoc` that sits next to `compiler`.
1630     fn run(self, builder: &Builder<'_>) {
1631         // External docs are different from local because:
1632         // - Some books need pre-processing by mdbook before being tested.
1633         // - They need to save their state to toolstate.
1634         // - They are only tested on the "checktools" builders.
1635         //
1636         // The local docs are tested by default, and we don't want to pay the
1637         // cost of building mdbook, so they use `rustdoc --test` directly.
1638         // Also, the unstable book is special because SUMMARY.md is generated,
1639         // so it is easier to just run `rustdoc` on its files.
1640         if self.is_ext_doc {
1641             self.run_ext_doc(builder);
1642         } else {
1643             self.run_local_doc(builder);
1644         }
1645     }
1646 }
1647
1648 impl BookTest {
1649     /// This runs the equivalent of `mdbook test` (via the rustbook wrapper)
1650     /// which in turn runs `rustdoc --test` on each file in the book.
1651     fn run_ext_doc(self, builder: &Builder<'_>) {
1652         let compiler = self.compiler;
1653
1654         builder.ensure(compile::Std::new(compiler, compiler.host));
1655
1656         // mdbook just executes a binary named "rustdoc", so we need to update
1657         // PATH so that it points to our rustdoc.
1658         let mut rustdoc_path = builder.rustdoc(compiler);
1659         rustdoc_path.pop();
1660         let old_path = env::var_os("PATH").unwrap_or_default();
1661         let new_path = env::join_paths(iter::once(rustdoc_path).chain(env::split_paths(&old_path)))
1662             .expect("could not add rustdoc to PATH");
1663
1664         let mut rustbook_cmd = builder.tool_cmd(Tool::Rustbook);
1665         let path = builder.src.join(&self.path);
1666         rustbook_cmd.env("PATH", new_path).arg("test").arg(path);
1667         builder.add_rust_test_threads(&mut rustbook_cmd);
1668         builder.info(&format!("Testing rustbook {}", self.path.display()));
1669         let _time = util::timeit(&builder);
1670         let toolstate = if try_run(builder, &mut rustbook_cmd) {
1671             ToolState::TestPass
1672         } else {
1673             ToolState::TestFail
1674         };
1675         builder.save_toolstate(self.name, toolstate);
1676     }
1677
1678     /// This runs `rustdoc --test` on all `.md` files in the path.
1679     fn run_local_doc(self, builder: &Builder<'_>) {
1680         let compiler = self.compiler;
1681
1682         builder.ensure(compile::Std::new(compiler, compiler.host));
1683
1684         // Do a breadth-first traversal of the `src/doc` directory and just run
1685         // tests for all files that end in `*.md`
1686         let mut stack = vec![builder.src.join(self.path)];
1687         let _time = util::timeit(&builder);
1688         let mut files = Vec::new();
1689         while let Some(p) = stack.pop() {
1690             if p.is_dir() {
1691                 stack.extend(t!(p.read_dir()).map(|p| t!(p).path()));
1692                 continue;
1693             }
1694
1695             if p.extension().and_then(|s| s.to_str()) != Some("md") {
1696                 continue;
1697             }
1698
1699             files.push(p);
1700         }
1701
1702         files.sort();
1703
1704         for file in files {
1705             markdown_test(builder, compiler, &file);
1706         }
1707     }
1708 }
1709
1710 macro_rules! test_book {
1711     ($($name:ident, $path:expr, $book_name:expr, default=$default:expr;)+) => {
1712         $(
1713             #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1714             pub struct $name {
1715                 compiler: Compiler,
1716             }
1717
1718             impl Step for $name {
1719                 type Output = ();
1720                 const DEFAULT: bool = $default;
1721                 const ONLY_HOSTS: bool = true;
1722
1723                 fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1724                     run.path($path)
1725                 }
1726
1727                 fn make_run(run: RunConfig<'_>) {
1728                     run.builder.ensure($name {
1729                         compiler: run.builder.compiler(run.builder.top_stage, run.target),
1730                     });
1731                 }
1732
1733                 fn run(self, builder: &Builder<'_>) {
1734                     builder.ensure(BookTest {
1735                         compiler: self.compiler,
1736                         path: PathBuf::from($path),
1737                         name: $book_name,
1738                         is_ext_doc: !$default,
1739                     });
1740                 }
1741             }
1742         )+
1743     }
1744 }
1745
1746 test_book!(
1747     Nomicon, "src/doc/nomicon", "nomicon", default=false;
1748     Reference, "src/doc/reference", "reference", default=false;
1749     RustdocBook, "src/doc/rustdoc", "rustdoc", default=true;
1750     RustcBook, "src/doc/rustc", "rustc", default=true;
1751     RustByExample, "src/doc/rust-by-example", "rust-by-example", default=false;
1752     EmbeddedBook, "src/doc/embedded-book", "embedded-book", default=false;
1753     TheBook, "src/doc/book", "book", default=false;
1754     UnstableBook, "src/doc/unstable-book", "unstable-book", default=true;
1755     EditionGuide, "src/doc/edition-guide", "edition-guide", default=false;
1756 );
1757
1758 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1759 pub struct ErrorIndex {
1760     compiler: Compiler,
1761 }
1762
1763 impl Step for ErrorIndex {
1764     type Output = ();
1765     const DEFAULT: bool = true;
1766     const ONLY_HOSTS: bool = true;
1767
1768     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1769         run.path("src/tools/error_index_generator")
1770     }
1771
1772     fn make_run(run: RunConfig<'_>) {
1773         // error_index_generator depends on librustdoc. Use the compiler that
1774         // is normally used to build rustdoc for other tests (like compiletest
1775         // tests in src/test/rustdoc) so that it shares the same artifacts.
1776         let compiler = run.builder.compiler(run.builder.top_stage, run.builder.config.build);
1777         run.builder.ensure(ErrorIndex { compiler });
1778     }
1779
1780     /// Runs the error index generator tool to execute the tests located in the error
1781     /// index.
1782     ///
1783     /// The `error_index_generator` tool lives in `src/tools` and is used to
1784     /// generate a markdown file from the error indexes of the code base which is
1785     /// then passed to `rustdoc --test`.
1786     fn run(self, builder: &Builder<'_>) {
1787         let compiler = self.compiler;
1788
1789         let dir = testdir(builder, compiler.host);
1790         t!(fs::create_dir_all(&dir));
1791         let output = dir.join("error-index.md");
1792
1793         let mut tool = tool::ErrorIndex::command(builder);
1794         tool.arg("markdown").arg(&output);
1795
1796         builder.info(&format!("Testing error-index stage{}", compiler.stage));
1797         let _time = util::timeit(&builder);
1798         builder.run_quiet(&mut tool);
1799         // The tests themselves need to link to std, so make sure it is
1800         // available.
1801         builder.ensure(compile::Std::new(compiler, compiler.host));
1802         markdown_test(builder, compiler, &output);
1803     }
1804 }
1805
1806 fn markdown_test(builder: &Builder<'_>, compiler: Compiler, markdown: &Path) -> bool {
1807     if let Ok(contents) = fs::read_to_string(markdown) {
1808         if !contents.contains("```") {
1809             return true;
1810         }
1811     }
1812
1813     builder.info(&format!("doc tests for: {}", markdown.display()));
1814     let mut cmd = builder.rustdoc_cmd(compiler);
1815     builder.add_rust_test_threads(&mut cmd);
1816     // allow for unstable options such as new editions
1817     cmd.arg("-Z");
1818     cmd.arg("unstable-options");
1819     cmd.arg("--test");
1820     cmd.arg(markdown);
1821     cmd.env("RUSTC_BOOTSTRAP", "1");
1822
1823     let test_args = builder.config.cmd.test_args().join(" ");
1824     cmd.arg("--test-args").arg(test_args);
1825
1826     if builder.config.verbose_tests {
1827         try_run(builder, &mut cmd)
1828     } else {
1829         try_run_quiet(builder, &mut cmd)
1830     }
1831 }
1832
1833 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1834 pub struct RustcGuide;
1835
1836 impl Step for RustcGuide {
1837     type Output = ();
1838     const DEFAULT: bool = false;
1839     const ONLY_HOSTS: bool = true;
1840
1841     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1842         run.path("src/doc/rustc-dev-guide")
1843     }
1844
1845     fn make_run(run: RunConfig<'_>) {
1846         run.builder.ensure(RustcGuide);
1847     }
1848
1849     fn run(self, builder: &Builder<'_>) {
1850         let relative_path = Path::new("src").join("doc").join("rustc-dev-guide");
1851         builder.update_submodule(&relative_path);
1852
1853         let src = builder.src.join(relative_path);
1854         let mut rustbook_cmd = builder.tool_cmd(Tool::Rustbook);
1855         let toolstate = if try_run(builder, rustbook_cmd.arg("linkcheck").arg(&src)) {
1856             ToolState::TestPass
1857         } else {
1858             ToolState::TestFail
1859         };
1860         builder.save_toolstate("rustc-dev-guide", toolstate);
1861     }
1862 }
1863
1864 #[derive(Debug, Clone, PartialEq, Eq, Hash)]
1865 pub struct CrateLibrustc {
1866     compiler: Compiler,
1867     target: TargetSelection,
1868     test_kind: TestKind,
1869     crates: Vec<Interned<String>>,
1870 }
1871
1872 impl Step for CrateLibrustc {
1873     type Output = ();
1874     const DEFAULT: bool = true;
1875     const ONLY_HOSTS: bool = true;
1876
1877     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1878         run.crate_or_deps("rustc-main")
1879     }
1880
1881     fn make_run(run: RunConfig<'_>) {
1882         let builder = run.builder;
1883         let host = run.build_triple();
1884         let compiler = builder.compiler_for(builder.top_stage, host, host);
1885         let crates = run
1886             .paths
1887             .iter()
1888             .map(|p| builder.crate_paths[&p.assert_single_path().path].clone())
1889             .collect();
1890         let test_kind = builder.kind.into();
1891
1892         builder.ensure(CrateLibrustc { compiler, target: run.target, test_kind, crates });
1893     }
1894
1895     fn run(self, builder: &Builder<'_>) {
1896         builder.ensure(Crate {
1897             compiler: self.compiler,
1898             target: self.target,
1899             mode: Mode::Rustc,
1900             test_kind: self.test_kind,
1901             crates: self.crates,
1902         });
1903     }
1904 }
1905
1906 #[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
1907 pub struct Crate {
1908     pub compiler: Compiler,
1909     pub target: TargetSelection,
1910     pub mode: Mode,
1911     pub test_kind: TestKind,
1912     pub crates: Vec<Interned<String>>,
1913 }
1914
1915 impl Step for Crate {
1916     type Output = ();
1917     const DEFAULT: bool = true;
1918
1919     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1920         run.crate_or_deps("test")
1921     }
1922
1923     fn make_run(run: RunConfig<'_>) {
1924         let builder = run.builder;
1925         let host = run.build_triple();
1926         let compiler = builder.compiler_for(builder.top_stage, host, host);
1927         let test_kind = builder.kind.into();
1928         let crates = run
1929             .paths
1930             .iter()
1931             .map(|p| builder.crate_paths[&p.assert_single_path().path].clone())
1932             .collect();
1933
1934         builder.ensure(Crate { compiler, target: run.target, mode: Mode::Std, test_kind, crates });
1935     }
1936
1937     /// Runs all unit tests plus documentation tests for a given crate defined
1938     /// by a `Cargo.toml` (single manifest)
1939     ///
1940     /// This is what runs tests for crates like the standard library, compiler, etc.
1941     /// It essentially is the driver for running `cargo test`.
1942     ///
1943     /// Currently this runs all tests for a DAG by passing a bunch of `-p foo`
1944     /// arguments, and those arguments are discovered from `cargo metadata`.
1945     fn run(self, builder: &Builder<'_>) {
1946         let compiler = self.compiler;
1947         let target = self.target;
1948         let mode = self.mode;
1949         let test_kind = self.test_kind;
1950
1951         builder.ensure(compile::Std::new(compiler, target));
1952         builder.ensure(RemoteCopyLibs { compiler, target });
1953
1954         // If we're not doing a full bootstrap but we're testing a stage2
1955         // version of libstd, then what we're actually testing is the libstd
1956         // produced in stage1. Reflect that here by updating the compiler that
1957         // we're working with automatically.
1958         let compiler = builder.compiler_for(compiler.stage, compiler.host, target);
1959
1960         let mut cargo =
1961             builder.cargo(compiler, mode, SourceType::InTree, target, test_kind.subcommand());
1962         match mode {
1963             Mode::Std => {
1964                 compile::std_cargo(builder, target, compiler.stage, &mut cargo);
1965             }
1966             Mode::Rustc => {
1967                 compile::rustc_cargo(builder, &mut cargo, target);
1968             }
1969             _ => panic!("can only test libraries"),
1970         };
1971
1972         // Build up the base `cargo test` command.
1973         //
1974         // Pass in some standard flags then iterate over the graph we've discovered
1975         // in `cargo metadata` with the maps above and figure out what `-p`
1976         // arguments need to get passed.
1977         if test_kind.subcommand() == "test" && !builder.fail_fast {
1978             cargo.arg("--no-fail-fast");
1979         }
1980         match builder.doc_tests {
1981             DocTests::Only => {
1982                 cargo.arg("--doc");
1983             }
1984             DocTests::No => {
1985                 cargo.args(&["--lib", "--bins", "--examples", "--tests", "--benches"]);
1986             }
1987             DocTests::Yes => {}
1988         }
1989
1990         for krate in &self.crates {
1991             cargo.arg("-p").arg(krate);
1992         }
1993
1994         // The tests are going to run with the *target* libraries, so we need to
1995         // ensure that those libraries show up in the LD_LIBRARY_PATH equivalent.
1996         //
1997         // Note that to run the compiler we need to run with the *host* libraries,
1998         // but our wrapper scripts arrange for that to be the case anyway.
1999         let mut dylib_path = dylib_path();
2000         dylib_path.insert(0, PathBuf::from(&*builder.sysroot_libdir(compiler, target)));
2001         cargo.env(dylib_path_var(), env::join_paths(&dylib_path).unwrap());
2002
2003         cargo.arg("--");
2004         cargo.args(&builder.config.cmd.test_args());
2005
2006         if !builder.config.verbose_tests {
2007             cargo.arg("--quiet");
2008         }
2009
2010         if target.contains("emscripten") {
2011             cargo.env(
2012                 format!("CARGO_TARGET_{}_RUNNER", envify(&target.triple)),
2013                 builder.config.nodejs.as_ref().expect("nodejs not configured"),
2014             );
2015         } else if target.starts_with("wasm32") {
2016             let node = builder.config.nodejs.as_ref().expect("nodejs not configured");
2017             let runner =
2018                 format!("{} {}/src/etc/wasm32-shim.js", node.display(), builder.src.display());
2019             cargo.env(format!("CARGO_TARGET_{}_RUNNER", envify(&target.triple)), &runner);
2020         } else if builder.remote_tested(target) {
2021             cargo.env(
2022                 format!("CARGO_TARGET_{}_RUNNER", envify(&target.triple)),
2023                 format!("{} run 0", builder.tool_exe(Tool::RemoteTestClient).display()),
2024             );
2025         }
2026
2027         builder.info(&format!(
2028             "{} {:?} stage{} ({} -> {})",
2029             test_kind, self.crates, compiler.stage, &compiler.host, target
2030         ));
2031         let _time = util::timeit(&builder);
2032         try_run(builder, &mut cargo.into());
2033     }
2034 }
2035
2036 /// Rustdoc is special in various ways, which is why this step is different from `Crate`.
2037 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2038 pub struct CrateRustdoc {
2039     host: TargetSelection,
2040     test_kind: TestKind,
2041 }
2042
2043 impl Step for CrateRustdoc {
2044     type Output = ();
2045     const DEFAULT: bool = true;
2046     const ONLY_HOSTS: bool = true;
2047
2048     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2049         run.paths(&["src/librustdoc", "src/tools/rustdoc"])
2050     }
2051
2052     fn make_run(run: RunConfig<'_>) {
2053         let builder = run.builder;
2054
2055         let test_kind = builder.kind.into();
2056
2057         builder.ensure(CrateRustdoc { host: run.target, test_kind });
2058     }
2059
2060     fn run(self, builder: &Builder<'_>) {
2061         let test_kind = self.test_kind;
2062         let target = self.host;
2063
2064         let compiler = if builder.download_rustc() {
2065             builder.compiler(builder.top_stage, target)
2066         } else {
2067             // Use the previous stage compiler to reuse the artifacts that are
2068             // created when running compiletest for src/test/rustdoc. If this used
2069             // `compiler`, then it would cause rustdoc to be built *again*, which
2070             // isn't really necessary.
2071             builder.compiler_for(builder.top_stage, target, target)
2072         };
2073         builder.ensure(compile::Rustc::new(compiler, target));
2074
2075         let mut cargo = tool::prepare_tool_cargo(
2076             builder,
2077             compiler,
2078             Mode::ToolRustc,
2079             target,
2080             test_kind.subcommand(),
2081             "src/tools/rustdoc",
2082             SourceType::InTree,
2083             &[],
2084         );
2085         if test_kind.subcommand() == "test" && !builder.fail_fast {
2086             cargo.arg("--no-fail-fast");
2087         }
2088         match builder.doc_tests {
2089             DocTests::Only => {
2090                 cargo.arg("--doc");
2091             }
2092             DocTests::No => {
2093                 cargo.args(&["--lib", "--bins", "--examples", "--tests", "--benches"]);
2094             }
2095             DocTests::Yes => {}
2096         }
2097
2098         cargo.arg("-p").arg("rustdoc:0.0.0");
2099
2100         cargo.arg("--");
2101         cargo.args(&builder.config.cmd.test_args());
2102
2103         if self.host.contains("musl") {
2104             cargo.arg("'-Ctarget-feature=-crt-static'");
2105         }
2106
2107         // This is needed for running doctests on librustdoc. This is a bit of
2108         // an unfortunate interaction with how bootstrap works and how cargo
2109         // sets up the dylib path, and the fact that the doctest (in
2110         // html/markdown.rs) links to rustc-private libs. For stage1, the
2111         // compiler host dylibs (in stage1/lib) are not the same as the target
2112         // dylibs (in stage1/lib/rustlib/...). This is different from a normal
2113         // rust distribution where they are the same.
2114         //
2115         // On the cargo side, normal tests use `target_process` which handles
2116         // setting up the dylib for a *target* (stage1/lib/rustlib/... in this
2117         // case). However, for doctests it uses `rustdoc_process` which only
2118         // sets up the dylib path for the *host* (stage1/lib), which is the
2119         // wrong directory.
2120         //
2121         // Recall that we special-cased `compiler_for(top_stage)` above, so we always use stage1.
2122         //
2123         // It should be considered to just stop running doctests on
2124         // librustdoc. There is only one test, and it doesn't look too
2125         // important. There might be other ways to avoid this, but it seems
2126         // pretty convoluted.
2127         //
2128         // See also https://github.com/rust-lang/rust/issues/13983 where the
2129         // host vs target dylibs for rustdoc are consistently tricky to deal
2130         // with.
2131         //
2132         // Note that this set the host libdir for `download_rustc`, which uses a normal rust distribution.
2133         let libdir = if builder.download_rustc() {
2134             builder.rustc_libdir(compiler)
2135         } else {
2136             builder.sysroot_libdir(compiler, target).to_path_buf()
2137         };
2138         let mut dylib_path = dylib_path();
2139         dylib_path.insert(0, PathBuf::from(&*libdir));
2140         cargo.env(dylib_path_var(), env::join_paths(&dylib_path).unwrap());
2141
2142         if !builder.config.verbose_tests {
2143             cargo.arg("--quiet");
2144         }
2145
2146         builder.info(&format!(
2147             "{} rustdoc stage{} ({} -> {})",
2148             test_kind, compiler.stage, &compiler.host, target
2149         ));
2150         let _time = util::timeit(&builder);
2151
2152         try_run(builder, &mut cargo.into());
2153     }
2154 }
2155
2156 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2157 pub struct CrateRustdocJsonTypes {
2158     host: TargetSelection,
2159     test_kind: TestKind,
2160 }
2161
2162 impl Step for CrateRustdocJsonTypes {
2163     type Output = ();
2164     const DEFAULT: bool = true;
2165     const ONLY_HOSTS: bool = true;
2166
2167     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2168         run.path("src/rustdoc-json-types")
2169     }
2170
2171     fn make_run(run: RunConfig<'_>) {
2172         let builder = run.builder;
2173
2174         let test_kind = builder.kind.into();
2175
2176         builder.ensure(CrateRustdocJsonTypes { host: run.target, test_kind });
2177     }
2178
2179     fn run(self, builder: &Builder<'_>) {
2180         let test_kind = self.test_kind;
2181         let target = self.host;
2182
2183         // Use the previous stage compiler to reuse the artifacts that are
2184         // created when running compiletest for src/test/rustdoc. If this used
2185         // `compiler`, then it would cause rustdoc to be built *again*, which
2186         // isn't really necessary.
2187         let compiler = builder.compiler_for(builder.top_stage, target, target);
2188         builder.ensure(compile::Rustc::new(compiler, target));
2189
2190         let mut cargo = tool::prepare_tool_cargo(
2191             builder,
2192             compiler,
2193             Mode::ToolRustc,
2194             target,
2195             test_kind.subcommand(),
2196             "src/rustdoc-json-types",
2197             SourceType::InTree,
2198             &[],
2199         );
2200         if test_kind.subcommand() == "test" && !builder.fail_fast {
2201             cargo.arg("--no-fail-fast");
2202         }
2203
2204         cargo.arg("-p").arg("rustdoc-json-types");
2205
2206         cargo.arg("--");
2207         cargo.args(&builder.config.cmd.test_args());
2208
2209         if self.host.contains("musl") {
2210             cargo.arg("'-Ctarget-feature=-crt-static'");
2211         }
2212
2213         if !builder.config.verbose_tests {
2214             cargo.arg("--quiet");
2215         }
2216
2217         builder.info(&format!(
2218             "{} rustdoc-json-types stage{} ({} -> {})",
2219             test_kind, compiler.stage, &compiler.host, target
2220         ));
2221         let _time = util::timeit(&builder);
2222
2223         try_run(builder, &mut cargo.into());
2224     }
2225 }
2226
2227 /// Some test suites are run inside emulators or on remote devices, and most
2228 /// of our test binaries are linked dynamically which means we need to ship
2229 /// the standard library and such to the emulator ahead of time. This step
2230 /// represents this and is a dependency of all test suites.
2231 ///
2232 /// Most of the time this is a no-op. For some steps such as shipping data to
2233 /// QEMU we have to build our own tools so we've got conditional dependencies
2234 /// on those programs as well. Note that the remote test client is built for
2235 /// the build target (us) and the server is built for the target.
2236 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2237 pub struct RemoteCopyLibs {
2238     compiler: Compiler,
2239     target: TargetSelection,
2240 }
2241
2242 impl Step for RemoteCopyLibs {
2243     type Output = ();
2244
2245     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2246         run.never()
2247     }
2248
2249     fn run(self, builder: &Builder<'_>) {
2250         let compiler = self.compiler;
2251         let target = self.target;
2252         if !builder.remote_tested(target) {
2253             return;
2254         }
2255
2256         builder.ensure(compile::Std::new(compiler, target));
2257
2258         builder.info(&format!("REMOTE copy libs to emulator ({})", target));
2259
2260         let server = builder.ensure(tool::RemoteTestServer { compiler, target });
2261
2262         // Spawn the emulator and wait for it to come online
2263         let tool = builder.tool_exe(Tool::RemoteTestClient);
2264         let mut cmd = Command::new(&tool);
2265         cmd.arg("spawn-emulator").arg(target.triple).arg(&server).arg(builder.tempdir());
2266         if let Some(rootfs) = builder.qemu_rootfs(target) {
2267             cmd.arg(rootfs);
2268         }
2269         builder.run(&mut cmd);
2270
2271         // Push all our dylibs to the emulator
2272         for f in t!(builder.sysroot_libdir(compiler, target).read_dir()) {
2273             let f = t!(f);
2274             let name = f.file_name().into_string().unwrap();
2275             if util::is_dylib(&name) {
2276                 builder.run(Command::new(&tool).arg("push").arg(f.path()));
2277             }
2278         }
2279     }
2280 }
2281
2282 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2283 pub struct Distcheck;
2284
2285 impl Step for Distcheck {
2286     type Output = ();
2287
2288     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2289         run.alias("distcheck")
2290     }
2291
2292     fn make_run(run: RunConfig<'_>) {
2293         run.builder.ensure(Distcheck);
2294     }
2295
2296     /// Runs "distcheck", a 'make check' from a tarball
2297     fn run(self, builder: &Builder<'_>) {
2298         builder.info("Distcheck");
2299         let dir = builder.tempdir().join("distcheck");
2300         let _ = fs::remove_dir_all(&dir);
2301         t!(fs::create_dir_all(&dir));
2302
2303         // Guarantee that these are built before we begin running.
2304         builder.ensure(dist::PlainSourceTarball);
2305         builder.ensure(dist::Src);
2306
2307         let mut cmd = Command::new("tar");
2308         cmd.arg("-xf")
2309             .arg(builder.ensure(dist::PlainSourceTarball).tarball())
2310             .arg("--strip-components=1")
2311             .current_dir(&dir);
2312         builder.run(&mut cmd);
2313         builder.run(
2314             Command::new("./configure")
2315                 .args(&builder.config.configure_args)
2316                 .arg("--enable-vendor")
2317                 .current_dir(&dir),
2318         );
2319         builder.run(
2320             Command::new(util::make(&builder.config.build.triple)).arg("check").current_dir(&dir),
2321         );
2322
2323         // Now make sure that rust-src has all of libstd's dependencies
2324         builder.info("Distcheck rust-src");
2325         let dir = builder.tempdir().join("distcheck-src");
2326         let _ = fs::remove_dir_all(&dir);
2327         t!(fs::create_dir_all(&dir));
2328
2329         let mut cmd = Command::new("tar");
2330         cmd.arg("-xf")
2331             .arg(builder.ensure(dist::Src).tarball())
2332             .arg("--strip-components=1")
2333             .current_dir(&dir);
2334         builder.run(&mut cmd);
2335
2336         let toml = dir.join("rust-src/lib/rustlib/src/rust/library/std/Cargo.toml");
2337         builder.run(
2338             Command::new(&builder.initial_cargo)
2339                 .arg("generate-lockfile")
2340                 .arg("--manifest-path")
2341                 .arg(&toml)
2342                 .current_dir(&dir),
2343         );
2344     }
2345 }
2346
2347 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2348 pub struct Bootstrap;
2349
2350 impl Step for Bootstrap {
2351     type Output = ();
2352     const DEFAULT: bool = true;
2353     const ONLY_HOSTS: bool = true;
2354
2355     /// Tests the build system itself.
2356     fn run(self, builder: &Builder<'_>) {
2357         let mut check_bootstrap = Command::new(&builder.python());
2358         check_bootstrap.arg("bootstrap_test.py").current_dir(builder.src.join("src/bootstrap/"));
2359         try_run(builder, &mut check_bootstrap);
2360
2361         let mut cmd = Command::new(&builder.initial_cargo);
2362         cmd.arg("test")
2363             .current_dir(builder.src.join("src/bootstrap"))
2364             .env("RUSTFLAGS", "-Cdebuginfo=2")
2365             .env("CARGO_TARGET_DIR", builder.out.join("bootstrap"))
2366             .env("RUSTC_BOOTSTRAP", "1")
2367             .env("RUSTDOC", builder.rustdoc(builder.compiler(0, builder.build.build)))
2368             .env("RUSTC", &builder.initial_rustc);
2369         if let Some(flags) = option_env!("RUSTFLAGS") {
2370             // Use the same rustc flags for testing as for "normal" compilation,
2371             // so that Cargo doesn’t recompile the entire dependency graph every time:
2372             // https://github.com/rust-lang/rust/issues/49215
2373             cmd.env("RUSTFLAGS", flags);
2374         }
2375         if !builder.fail_fast {
2376             cmd.arg("--no-fail-fast");
2377         }
2378         match builder.doc_tests {
2379             DocTests::Only => {
2380                 cmd.arg("--doc");
2381             }
2382             DocTests::No => {
2383                 cmd.args(&["--lib", "--bins", "--examples", "--tests", "--benches"]);
2384             }
2385             DocTests::Yes => {}
2386         }
2387
2388         cmd.arg("--").args(&builder.config.cmd.test_args());
2389         // rustbuild tests are racy on directory creation so just run them one at a time.
2390         // Since there's not many this shouldn't be a problem.
2391         cmd.arg("--test-threads=1");
2392         try_run(builder, &mut cmd);
2393     }
2394
2395     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2396         run.path("src/bootstrap")
2397     }
2398
2399     fn make_run(run: RunConfig<'_>) {
2400         run.builder.ensure(Bootstrap);
2401     }
2402 }
2403
2404 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2405 pub struct TierCheck {
2406     pub compiler: Compiler,
2407 }
2408
2409 impl Step for TierCheck {
2410     type Output = ();
2411     const DEFAULT: bool = true;
2412     const ONLY_HOSTS: bool = true;
2413
2414     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2415         run.path("src/tools/tier-check")
2416     }
2417
2418     fn make_run(run: RunConfig<'_>) {
2419         let compiler =
2420             run.builder.compiler_for(run.builder.top_stage, run.builder.build.build, run.target);
2421         run.builder.ensure(TierCheck { compiler });
2422     }
2423
2424     /// Tests the Platform Support page in the rustc book.
2425     fn run(self, builder: &Builder<'_>) {
2426         builder.ensure(compile::Std::new(self.compiler, self.compiler.host));
2427         let mut cargo = tool::prepare_tool_cargo(
2428             builder,
2429             self.compiler,
2430             Mode::ToolStd,
2431             self.compiler.host,
2432             "run",
2433             "src/tools/tier-check",
2434             SourceType::InTree,
2435             &[],
2436         );
2437         cargo.arg(builder.src.join("src/doc/rustc/src/platform-support.md"));
2438         cargo.arg(&builder.rustc(self.compiler));
2439         if builder.is_verbose() {
2440             cargo.arg("--verbose");
2441         }
2442
2443         builder.info("platform support check");
2444         try_run(builder, &mut cargo.into());
2445     }
2446 }
2447
2448 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
2449 pub struct LintDocs {
2450     pub compiler: Compiler,
2451     pub target: TargetSelection,
2452 }
2453
2454 impl Step for LintDocs {
2455     type Output = ();
2456     const DEFAULT: bool = true;
2457     const ONLY_HOSTS: bool = true;
2458
2459     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
2460         run.path("src/tools/lint-docs")
2461     }
2462
2463     fn make_run(run: RunConfig<'_>) {
2464         run.builder.ensure(LintDocs {
2465             compiler: run.builder.compiler(run.builder.top_stage, run.builder.config.build),
2466             target: run.target,
2467         });
2468     }
2469
2470     /// Tests that the lint examples in the rustc book generate the correct
2471     /// lints and have the expected format.
2472     fn run(self, builder: &Builder<'_>) {
2473         builder.ensure(crate::doc::RustcBook {
2474             compiler: self.compiler,
2475             target: self.target,
2476             validate: true,
2477         });
2478     }
2479 }