]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/compile.rs
Auto merge of #95685 - oxidecomputer:restore-static-dwarf, r=pnkfelix
[rust.git] / src / bootstrap / compile.rs
1 //! Implementation of compiling various phases of the compiler and standard
2 //! library.
3 //!
4 //! This module contains some of the real meat in the rustbuild build system
5 //! which is where Cargo is used to compile the standard library, libtest, and
6 //! the compiler. This module is also responsible for assembling the sysroot as it
7 //! goes along from the output of the previous stage.
8
9 use std::borrow::Cow;
10 use std::collections::HashSet;
11 use std::env;
12 use std::fs;
13 use std::io::prelude::*;
14 use std::io::BufReader;
15 use std::path::{Path, PathBuf};
16 use std::process::{Command, Stdio};
17 use std::str;
18
19 use serde::Deserialize;
20
21 use crate::builder::Cargo;
22 use crate::builder::{Builder, Kind, RunConfig, ShouldRun, Step};
23 use crate::cache::{Interned, INTERNER};
24 use crate::config::{LlvmLibunwind, TargetSelection};
25 use crate::dist;
26 use crate::native;
27 use crate::tool::SourceType;
28 use crate::util::get_clang_cl_resource_dir;
29 use crate::util::{exe, is_debug_info, is_dylib, output, symlink_dir, t, up_to_date};
30 use crate::LLVM_TOOLS;
31 use crate::{CLang, Compiler, DependencyType, GitRepo, Mode};
32
33 #[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
34 pub struct Std {
35     pub target: TargetSelection,
36     pub compiler: Compiler,
37     /// Whether to build only a subset of crates in the standard library.
38     ///
39     /// This shouldn't be used from other steps; see the comment on [`Rustc`].
40     crates: Interned<Vec<String>>,
41 }
42
43 impl Std {
44     pub fn new(compiler: Compiler, target: TargetSelection) -> Self {
45         Self { target, compiler, crates: Default::default() }
46     }
47 }
48
49 /// Return a `-p=x -p=y` string suitable for passing to a cargo invocation.
50 fn build_crates_in_set(run: &RunConfig<'_>) -> Interned<Vec<String>> {
51     let mut crates = Vec::new();
52     for krate in &run.paths {
53         let path = krate.assert_single_path();
54         let crate_name = run.builder.crate_paths[&path.path];
55         crates.push(format!("-p={crate_name}"));
56     }
57     INTERNER.intern_list(crates)
58 }
59
60 impl Step for Std {
61     type Output = ();
62     const DEFAULT: bool = true;
63
64     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
65         // When downloading stage1, the standard library has already been copied to the sysroot, so
66         // there's no need to rebuild it.
67         let builder = run.builder;
68         run.crate_or_deps("test")
69             .path("library")
70             .lazy_default_condition(Box::new(|| !builder.download_rustc()))
71     }
72
73     fn make_run(run: RunConfig<'_>) {
74         // Normally, people will pass *just* library if they pass it.
75         // But it's possible (although strange) to pass something like `library std core`.
76         // Build all crates anyway, as if they hadn't passed the other args.
77         let has_library =
78             run.paths.iter().any(|set| set.assert_single_path().path.ends_with("library"));
79         let crates = if has_library { Default::default() } else { build_crates_in_set(&run) };
80         run.builder.ensure(Std {
81             compiler: run.builder.compiler(run.builder.top_stage, run.build_triple()),
82             target: run.target,
83             crates,
84         });
85     }
86
87     /// Builds the standard library.
88     ///
89     /// This will build the standard library for a particular stage of the build
90     /// using the `compiler` targeting the `target` architecture. The artifacts
91     /// created will also be linked into the sysroot directory.
92     fn run(self, builder: &Builder<'_>) {
93         let target = self.target;
94         let compiler = self.compiler;
95
96         // These artifacts were already copied (in `impl Step for Sysroot`).
97         // Don't recompile them.
98         // NOTE: the ABI of the beta compiler is different from the ABI of the downloaded compiler,
99         // so its artifacts can't be reused.
100         if builder.download_rustc() && compiler.stage != 0 {
101             return;
102         }
103
104         if builder.config.keep_stage.contains(&compiler.stage)
105             || builder.config.keep_stage_std.contains(&compiler.stage)
106         {
107             builder.info("Warning: Using a potentially old libstd. This may not behave well.");
108             builder.ensure(StdLink::from_std(self, compiler));
109             return;
110         }
111
112         builder.update_submodule(&Path::new("library").join("stdarch"));
113
114         let mut target_deps = builder.ensure(StartupObjects { compiler, target });
115
116         let compiler_to_use = builder.compiler_for(compiler.stage, compiler.host, target);
117         if compiler_to_use != compiler {
118             builder.ensure(Std::new(compiler_to_use, target));
119             builder.info(&format!("Uplifting stage1 std ({} -> {})", compiler_to_use.host, target));
120
121             // Even if we're not building std this stage, the new sysroot must
122             // still contain the third party objects needed by various targets.
123             copy_third_party_objects(builder, &compiler, target);
124             copy_self_contained_objects(builder, &compiler, target);
125
126             builder.ensure(StdLink::from_std(self, compiler_to_use));
127             return;
128         }
129
130         target_deps.extend(copy_third_party_objects(builder, &compiler, target));
131         target_deps.extend(copy_self_contained_objects(builder, &compiler, target));
132
133         let mut cargo = builder.cargo(compiler, Mode::Std, SourceType::InTree, target, "build");
134         std_cargo(builder, target, compiler.stage, &mut cargo);
135
136         builder.info(&format!(
137             "Building stage{} std artifacts ({} -> {})",
138             compiler.stage, &compiler.host, target
139         ));
140         run_cargo(
141             builder,
142             cargo,
143             self.crates.to_vec(),
144             &libstd_stamp(builder, compiler, target),
145             target_deps,
146             false,
147         );
148
149         builder.ensure(StdLink::from_std(
150             self,
151             builder.compiler(compiler.stage, builder.config.build),
152         ));
153     }
154 }
155
156 fn copy_and_stamp(
157     builder: &Builder<'_>,
158     libdir: &Path,
159     sourcedir: &Path,
160     name: &str,
161     target_deps: &mut Vec<(PathBuf, DependencyType)>,
162     dependency_type: DependencyType,
163 ) {
164     let target = libdir.join(name);
165     builder.copy(&sourcedir.join(name), &target);
166
167     target_deps.push((target, dependency_type));
168 }
169
170 fn copy_llvm_libunwind(builder: &Builder<'_>, target: TargetSelection, libdir: &Path) -> PathBuf {
171     let libunwind_path = builder.ensure(native::Libunwind { target });
172     let libunwind_source = libunwind_path.join("libunwind.a");
173     let libunwind_target = libdir.join("libunwind.a");
174     builder.copy(&libunwind_source, &libunwind_target);
175     libunwind_target
176 }
177
178 /// Copies third party objects needed by various targets.
179 fn copy_third_party_objects(
180     builder: &Builder<'_>,
181     compiler: &Compiler,
182     target: TargetSelection,
183 ) -> Vec<(PathBuf, DependencyType)> {
184     let mut target_deps = vec![];
185
186     // FIXME: remove this in 2021
187     if target == "x86_64-fortanix-unknown-sgx" {
188         if env::var_os("X86_FORTANIX_SGX_LIBS").is_some() {
189             builder.info("Warning: X86_FORTANIX_SGX_LIBS environment variable is ignored, libunwind is now compiled as part of rustbuild");
190         }
191     }
192
193     if builder.config.sanitizers_enabled(target) && compiler.stage != 0 {
194         // The sanitizers are only copied in stage1 or above,
195         // to avoid creating dependency on LLVM.
196         target_deps.extend(
197             copy_sanitizers(builder, &compiler, target)
198                 .into_iter()
199                 .map(|d| (d, DependencyType::Target)),
200         );
201     }
202
203     if target == "x86_64-fortanix-unknown-sgx"
204         || target.contains("pc-windows-gnullvm")
205         || builder.config.llvm_libunwind(target) == LlvmLibunwind::InTree
206             && (target.contains("linux") || target.contains("fuchsia"))
207     {
208         let libunwind_path =
209             copy_llvm_libunwind(builder, target, &builder.sysroot_libdir(*compiler, target));
210         target_deps.push((libunwind_path, DependencyType::Target));
211     }
212
213     target_deps
214 }
215
216 /// Copies third party objects needed by various targets for self-contained linkage.
217 fn copy_self_contained_objects(
218     builder: &Builder<'_>,
219     compiler: &Compiler,
220     target: TargetSelection,
221 ) -> Vec<(PathBuf, DependencyType)> {
222     let libdir_self_contained = builder.sysroot_libdir(*compiler, target).join("self-contained");
223     t!(fs::create_dir_all(&libdir_self_contained));
224     let mut target_deps = vec![];
225
226     // Copies the libc and CRT objects.
227     //
228     // rustc historically provides a more self-contained installation for musl targets
229     // not requiring the presence of a native musl toolchain. For example, it can fall back
230     // to using gcc from a glibc-targeting toolchain for linking.
231     // To do that we have to distribute musl startup objects as a part of Rust toolchain
232     // and link with them manually in the self-contained mode.
233     if target.contains("musl") {
234         let srcdir = builder.musl_libdir(target).unwrap_or_else(|| {
235             panic!("Target {:?} does not have a \"musl-libdir\" key", target.triple)
236         });
237         for &obj in &["libc.a", "crt1.o", "Scrt1.o", "rcrt1.o", "crti.o", "crtn.o"] {
238             copy_and_stamp(
239                 builder,
240                 &libdir_self_contained,
241                 &srcdir,
242                 obj,
243                 &mut target_deps,
244                 DependencyType::TargetSelfContained,
245             );
246         }
247         let crt_path = builder.ensure(native::CrtBeginEnd { target });
248         for &obj in &["crtbegin.o", "crtbeginS.o", "crtend.o", "crtendS.o"] {
249             let src = crt_path.join(obj);
250             let target = libdir_self_contained.join(obj);
251             builder.copy(&src, &target);
252             target_deps.push((target, DependencyType::TargetSelfContained));
253         }
254
255         if !target.starts_with("s390x") {
256             let libunwind_path = copy_llvm_libunwind(builder, target, &libdir_self_contained);
257             target_deps.push((libunwind_path, DependencyType::TargetSelfContained));
258         }
259     } else if target.ends_with("-wasi") {
260         let srcdir = builder
261             .wasi_root(target)
262             .unwrap_or_else(|| {
263                 panic!("Target {:?} does not have a \"wasi-root\" key", target.triple)
264             })
265             .join("lib/wasm32-wasi");
266         for &obj in &["libc.a", "crt1-command.o", "crt1-reactor.o"] {
267             copy_and_stamp(
268                 builder,
269                 &libdir_self_contained,
270                 &srcdir,
271                 obj,
272                 &mut target_deps,
273                 DependencyType::TargetSelfContained,
274             );
275         }
276     } else if target.ends_with("windows-gnu") {
277         for obj in ["crt2.o", "dllcrt2.o"].iter() {
278             let src = compiler_file(builder, builder.cc(target), target, CLang::C, obj);
279             let target = libdir_self_contained.join(obj);
280             builder.copy(&src, &target);
281             target_deps.push((target, DependencyType::TargetSelfContained));
282         }
283     }
284
285     target_deps
286 }
287
288 /// Configure cargo to compile the standard library, adding appropriate env vars
289 /// and such.
290 pub fn std_cargo(builder: &Builder<'_>, target: TargetSelection, stage: u32, cargo: &mut Cargo) {
291     if let Some(target) = env::var_os("MACOSX_STD_DEPLOYMENT_TARGET") {
292         cargo.env("MACOSX_DEPLOYMENT_TARGET", target);
293     }
294
295     // Determine if we're going to compile in optimized C intrinsics to
296     // the `compiler-builtins` crate. These intrinsics live in LLVM's
297     // `compiler-rt` repository, but our `src/llvm-project` submodule isn't
298     // always checked out, so we need to conditionally look for this. (e.g. if
299     // an external LLVM is used we skip the LLVM submodule checkout).
300     //
301     // Note that this shouldn't affect the correctness of `compiler-builtins`,
302     // but only its speed. Some intrinsics in C haven't been translated to Rust
303     // yet but that's pretty rare. Other intrinsics have optimized
304     // implementations in C which have only had slower versions ported to Rust,
305     // so we favor the C version where we can, but it's not critical.
306     //
307     // If `compiler-rt` is available ensure that the `c` feature of the
308     // `compiler-builtins` crate is enabled and it's configured to learn where
309     // `compiler-rt` is located.
310     let compiler_builtins_root = builder.src.join("src/llvm-project/compiler-rt");
311     let compiler_builtins_c_feature = if compiler_builtins_root.exists() {
312         // Note that `libprofiler_builtins/build.rs` also computes this so if
313         // you're changing something here please also change that.
314         cargo.env("RUST_COMPILER_RT_ROOT", &compiler_builtins_root);
315         " compiler-builtins-c"
316     } else {
317         ""
318     };
319
320     if builder.no_std(target) == Some(true) {
321         let mut features = "compiler-builtins-mem".to_string();
322         if !target.starts_with("bpf") {
323             features.push_str(compiler_builtins_c_feature);
324         }
325
326         // for no-std targets we only compile a few no_std crates
327         cargo
328             .args(&["-p", "alloc"])
329             .arg("--manifest-path")
330             .arg(builder.src.join("library/alloc/Cargo.toml"))
331             .arg("--features")
332             .arg(features);
333     } else {
334         let mut features = builder.std_features(target);
335         features.push_str(compiler_builtins_c_feature);
336
337         cargo
338             .arg("--features")
339             .arg(features)
340             .arg("--manifest-path")
341             .arg(builder.src.join("library/test/Cargo.toml"));
342
343         // Help the libc crate compile by assisting it in finding various
344         // sysroot native libraries.
345         if target.contains("musl") {
346             if let Some(p) = builder.musl_libdir(target) {
347                 let root = format!("native={}", p.to_str().unwrap());
348                 cargo.rustflag("-L").rustflag(&root);
349             }
350         }
351
352         if target.ends_with("-wasi") {
353             if let Some(p) = builder.wasi_root(target) {
354                 let root = format!("native={}/lib/wasm32-wasi", p.to_str().unwrap());
355                 cargo.rustflag("-L").rustflag(&root);
356             }
357         }
358     }
359
360     // By default, rustc uses `-Cembed-bitcode=yes`, and Cargo overrides that
361     // with `-Cembed-bitcode=no` for non-LTO builds. However, libstd must be
362     // built with bitcode so that the produced rlibs can be used for both LTO
363     // builds (which use bitcode) and non-LTO builds (which use object code).
364     // So we override the override here!
365     //
366     // But we don't bother for the stage 0 compiler because it's never used
367     // with LTO.
368     if stage >= 1 {
369         cargo.rustflag("-Cembed-bitcode=yes");
370     }
371
372     // By default, rustc does not include unwind tables unless they are required
373     // for a particular target. They are not required by RISC-V targets, but
374     // compiling the standard library with them means that users can get
375     // backtraces without having to recompile the standard library themselves.
376     //
377     // This choice was discussed in https://github.com/rust-lang/rust/pull/69890
378     if target.contains("riscv") {
379         cargo.rustflag("-Cforce-unwind-tables=yes");
380     }
381
382     let html_root =
383         format!("-Zcrate-attr=doc(html_root_url=\"{}/\")", builder.doc_rust_lang_org_channel(),);
384     cargo.rustflag(&html_root);
385     cargo.rustdocflag(&html_root);
386 }
387
388 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
389 struct StdLink {
390     pub compiler: Compiler,
391     pub target_compiler: Compiler,
392     pub target: TargetSelection,
393     /// Not actually used; only present to make sure the cache invalidation is correct.
394     crates: Interned<Vec<String>>,
395 }
396
397 impl StdLink {
398     fn from_std(std: Std, host_compiler: Compiler) -> Self {
399         Self {
400             compiler: host_compiler,
401             target_compiler: std.compiler,
402             target: std.target,
403             crates: std.crates,
404         }
405     }
406 }
407
408 impl Step for StdLink {
409     type Output = ();
410
411     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
412         run.never()
413     }
414
415     /// Link all libstd rlibs/dylibs into the sysroot location.
416     ///
417     /// Links those artifacts generated by `compiler` to the `stage` compiler's
418     /// sysroot for the specified `host` and `target`.
419     ///
420     /// Note that this assumes that `compiler` has already generated the libstd
421     /// libraries for `target`, and this method will find them in the relevant
422     /// output directory.
423     fn run(self, builder: &Builder<'_>) {
424         let compiler = self.compiler;
425         let target_compiler = self.target_compiler;
426         let target = self.target;
427         builder.info(&format!(
428             "Copying stage{} std from stage{} ({} -> {} / {})",
429             target_compiler.stage, compiler.stage, &compiler.host, target_compiler.host, target
430         ));
431         let libdir = builder.sysroot_libdir(target_compiler, target);
432         let hostdir = builder.sysroot_libdir(target_compiler, compiler.host);
433         add_to_sysroot(builder, &libdir, &hostdir, &libstd_stamp(builder, compiler, target));
434     }
435 }
436
437 /// Copies sanitizer runtime libraries into target libdir.
438 fn copy_sanitizers(
439     builder: &Builder<'_>,
440     compiler: &Compiler,
441     target: TargetSelection,
442 ) -> Vec<PathBuf> {
443     let runtimes: Vec<native::SanitizerRuntime> = builder.ensure(native::Sanitizers { target });
444
445     if builder.config.dry_run {
446         return Vec::new();
447     }
448
449     let mut target_deps = Vec::new();
450     let libdir = builder.sysroot_libdir(*compiler, target);
451
452     for runtime in &runtimes {
453         let dst = libdir.join(&runtime.name);
454         builder.copy(&runtime.path, &dst);
455
456         if target == "x86_64-apple-darwin" || target == "aarch64-apple-darwin" {
457             // Update the library’s install name to reflect that it has has been renamed.
458             apple_darwin_update_library_name(&dst, &format!("@rpath/{}", &runtime.name));
459             // Upon renaming the install name, the code signature of the file will invalidate,
460             // so we will sign it again.
461             apple_darwin_sign_file(&dst);
462         }
463
464         target_deps.push(dst);
465     }
466
467     target_deps
468 }
469
470 fn apple_darwin_update_library_name(library_path: &Path, new_name: &str) {
471     let status = Command::new("install_name_tool")
472         .arg("-id")
473         .arg(new_name)
474         .arg(library_path)
475         .status()
476         .expect("failed to execute `install_name_tool`");
477     assert!(status.success());
478 }
479
480 fn apple_darwin_sign_file(file_path: &Path) {
481     let status = Command::new("codesign")
482         .arg("-f") // Force to rewrite the existing signature
483         .arg("-s")
484         .arg("-")
485         .arg(file_path)
486         .status()
487         .expect("failed to execute `codesign`");
488     assert!(status.success());
489 }
490
491 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
492 pub struct StartupObjects {
493     pub compiler: Compiler,
494     pub target: TargetSelection,
495 }
496
497 impl Step for StartupObjects {
498     type Output = Vec<(PathBuf, DependencyType)>;
499
500     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
501         run.path("library/rtstartup")
502     }
503
504     fn make_run(run: RunConfig<'_>) {
505         run.builder.ensure(StartupObjects {
506             compiler: run.builder.compiler(run.builder.top_stage, run.build_triple()),
507             target: run.target,
508         });
509     }
510
511     /// Builds and prepare startup objects like rsbegin.o and rsend.o
512     ///
513     /// These are primarily used on Windows right now for linking executables/dlls.
514     /// They don't require any library support as they're just plain old object
515     /// files, so we just use the nightly snapshot compiler to always build them (as
516     /// no other compilers are guaranteed to be available).
517     fn run(self, builder: &Builder<'_>) -> Vec<(PathBuf, DependencyType)> {
518         let for_compiler = self.compiler;
519         let target = self.target;
520         if !target.ends_with("windows-gnu") {
521             return vec![];
522         }
523
524         let mut target_deps = vec![];
525
526         let src_dir = &builder.src.join("library").join("rtstartup");
527         let dst_dir = &builder.native_dir(target).join("rtstartup");
528         let sysroot_dir = &builder.sysroot_libdir(for_compiler, target);
529         t!(fs::create_dir_all(dst_dir));
530
531         for file in &["rsbegin", "rsend"] {
532             let src_file = &src_dir.join(file.to_string() + ".rs");
533             let dst_file = &dst_dir.join(file.to_string() + ".o");
534             if !up_to_date(src_file, dst_file) {
535                 let mut cmd = Command::new(&builder.initial_rustc);
536                 cmd.env("RUSTC_BOOTSTRAP", "1");
537                 if !builder.local_rebuild {
538                     // a local_rebuild compiler already has stage1 features
539                     cmd.arg("--cfg").arg("bootstrap");
540                 }
541                 builder.run(
542                     cmd.arg("--target")
543                         .arg(target.rustc_target_arg())
544                         .arg("--emit=obj")
545                         .arg("-o")
546                         .arg(dst_file)
547                         .arg(src_file),
548                 );
549             }
550
551             let target = sysroot_dir.join((*file).to_string() + ".o");
552             builder.copy(dst_file, &target);
553             target_deps.push((target, DependencyType::Target));
554         }
555
556         target_deps
557     }
558 }
559
560 #[derive(Debug, PartialOrd, Ord, Copy, Clone, PartialEq, Eq, Hash)]
561 pub struct Rustc {
562     pub target: TargetSelection,
563     pub compiler: Compiler,
564     /// Whether to build a subset of crates, rather than the whole compiler.
565     ///
566     /// This should only be requested by the user, not used within rustbuild itself.
567     /// Using it within rustbuild can lead to confusing situation where lints are replayed
568     /// in two different steps.
569     crates: Interned<Vec<String>>,
570 }
571
572 impl Rustc {
573     pub fn new(compiler: Compiler, target: TargetSelection) -> Self {
574         Self { target, compiler, crates: Default::default() }
575     }
576 }
577
578 impl Step for Rustc {
579     type Output = ();
580     const ONLY_HOSTS: bool = true;
581     const DEFAULT: bool = false;
582
583     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
584         let mut crates = run.builder.in_tree_crates("rustc-main", None);
585         for (i, krate) in crates.iter().enumerate() {
586             if krate.name == "rustc-main" {
587                 crates.swap_remove(i);
588                 break;
589             }
590         }
591         run.crates(crates)
592     }
593
594     fn make_run(run: RunConfig<'_>) {
595         let crates = build_crates_in_set(&run);
596         run.builder.ensure(Rustc {
597             compiler: run.builder.compiler(run.builder.top_stage, run.build_triple()),
598             target: run.target,
599             crates,
600         });
601     }
602
603     /// Builds the compiler.
604     ///
605     /// This will build the compiler for a particular stage of the build using
606     /// the `compiler` targeting the `target` architecture. The artifacts
607     /// created will also be linked into the sysroot directory.
608     fn run(self, builder: &Builder<'_>) {
609         let compiler = self.compiler;
610         let target = self.target;
611
612         // NOTE: the ABI of the beta compiler is different from the ABI of the downloaded compiler,
613         // so its artifacts can't be reused.
614         if builder.download_rustc() && compiler.stage != 0 {
615             // Copy the existing artifacts instead of rebuilding them.
616             // NOTE: this path is only taken for tools linking to rustc-dev.
617             builder.ensure(Sysroot { compiler });
618             return;
619         }
620
621         builder.ensure(Std::new(compiler, target));
622
623         if builder.config.keep_stage.contains(&compiler.stage) {
624             builder.info("Warning: Using a potentially old librustc. This may not behave well.");
625             builder.info("Warning: Use `--keep-stage-std` if you want to rebuild the compiler when it changes");
626             builder.ensure(RustcLink::from_rustc(self, compiler));
627             return;
628         }
629
630         let compiler_to_use = builder.compiler_for(compiler.stage, compiler.host, target);
631         if compiler_to_use != compiler {
632             builder.ensure(Rustc::new(compiler_to_use, target));
633             builder
634                 .info(&format!("Uplifting stage1 rustc ({} -> {})", builder.config.build, target));
635             builder.ensure(RustcLink::from_rustc(self, compiler_to_use));
636             return;
637         }
638
639         // Ensure that build scripts and proc macros have a std / libproc_macro to link against.
640         builder.ensure(Std::new(
641             builder.compiler(self.compiler.stage, builder.config.build),
642             builder.config.build,
643         ));
644
645         let mut cargo = builder.cargo(compiler, Mode::Rustc, SourceType::InTree, target, "build");
646         rustc_cargo(builder, &mut cargo, target);
647
648         if builder.config.rust_profile_use.is_some()
649             && builder.config.rust_profile_generate.is_some()
650         {
651             panic!("Cannot use and generate PGO profiles at the same time");
652         }
653
654         let is_collecting = if let Some(path) = &builder.config.rust_profile_generate {
655             if compiler.stage == 1 {
656                 cargo.rustflag(&format!("-Cprofile-generate={}", path));
657                 // Apparently necessary to avoid overflowing the counters during
658                 // a Cargo build profile
659                 cargo.rustflag("-Cllvm-args=-vp-counters-per-site=4");
660                 true
661             } else {
662                 false
663             }
664         } else if let Some(path) = &builder.config.rust_profile_use {
665             if compiler.stage == 1 {
666                 cargo.rustflag(&format!("-Cprofile-use={}", path));
667                 cargo.rustflag("-Cllvm-args=-pgo-warn-missing-function");
668                 true
669             } else {
670                 false
671             }
672         } else {
673             false
674         };
675         if is_collecting {
676             // Ensure paths to Rust sources are relative, not absolute.
677             cargo.rustflag(&format!(
678                 "-Cllvm-args=-static-func-strip-dirname-prefix={}",
679                 builder.config.src.components().count()
680             ));
681         }
682
683         builder.info(&format!(
684             "Building stage{} compiler artifacts ({} -> {})",
685             compiler.stage, &compiler.host, target
686         ));
687         run_cargo(
688             builder,
689             cargo,
690             self.crates.to_vec(),
691             &librustc_stamp(builder, compiler, target),
692             vec![],
693             false,
694         );
695
696         builder.ensure(RustcLink::from_rustc(
697             self,
698             builder.compiler(compiler.stage, builder.config.build),
699         ));
700     }
701 }
702
703 pub fn rustc_cargo(builder: &Builder<'_>, cargo: &mut Cargo, target: TargetSelection) {
704     cargo
705         .arg("--features")
706         .arg(builder.rustc_features(builder.kind))
707         .arg("--manifest-path")
708         .arg(builder.src.join("compiler/rustc/Cargo.toml"));
709     rustc_cargo_env(builder, cargo, target);
710 }
711
712 pub fn rustc_cargo_env(builder: &Builder<'_>, cargo: &mut Cargo, target: TargetSelection) {
713     // Set some configuration variables picked up by build scripts and
714     // the compiler alike
715     cargo
716         .env("CFG_RELEASE", builder.rust_release())
717         .env("CFG_RELEASE_CHANNEL", &builder.config.channel)
718         .env("CFG_VERSION", builder.rust_version());
719
720     if let Some(backend) = builder.config.rust_codegen_backends.get(0) {
721         cargo.env("CFG_DEFAULT_CODEGEN_BACKEND", backend);
722     }
723
724     let libdir_relative = builder.config.libdir_relative().unwrap_or_else(|| Path::new("lib"));
725     let target_config = builder.config.target_config.get(&target);
726
727     cargo.env("CFG_LIBDIR_RELATIVE", libdir_relative);
728
729     if let Some(ref ver_date) = builder.rust_info.commit_date() {
730         cargo.env("CFG_VER_DATE", ver_date);
731     }
732     if let Some(ref ver_hash) = builder.rust_info.sha() {
733         cargo.env("CFG_VER_HASH", ver_hash);
734     }
735     if !builder.unstable_features() {
736         cargo.env("CFG_DISABLE_UNSTABLE_FEATURES", "1");
737     }
738
739     // Prefer the current target's own default_linker, else a globally
740     // specified one.
741     if let Some(s) = target_config.and_then(|c| c.default_linker.as_ref()) {
742         cargo.env("CFG_DEFAULT_LINKER", s);
743     } else if let Some(ref s) = builder.config.rustc_default_linker {
744         cargo.env("CFG_DEFAULT_LINKER", s);
745     }
746
747     if builder.config.rustc_parallel {
748         // keep in sync with `bootstrap/lib.rs:Build::rustc_features`
749         // `cfg` option for rustc, `features` option for cargo, for conditional compilation
750         cargo.rustflag("--cfg=parallel_compiler");
751         cargo.rustdocflag("--cfg=parallel_compiler");
752     }
753     if builder.config.rust_verify_llvm_ir {
754         cargo.env("RUSTC_VERIFY_LLVM_IR", "1");
755     }
756
757     // Pass down configuration from the LLVM build into the build of
758     // rustc_llvm and rustc_codegen_llvm.
759     //
760     // Note that this is disabled if LLVM itself is disabled or we're in a check
761     // build. If we are in a check build we still go ahead here presuming we've
762     // detected that LLVM is already built and good to go which helps prevent
763     // busting caches (e.g. like #71152).
764     if builder.config.llvm_enabled()
765         && (builder.kind != Kind::Check
766             || crate::native::prebuilt_llvm_config(builder, target).is_ok())
767     {
768         if builder.is_rust_llvm(target) {
769             cargo.env("LLVM_RUSTLLVM", "1");
770         }
771         let llvm_config = builder.ensure(native::Llvm { target });
772         cargo.env("LLVM_CONFIG", &llvm_config);
773         if let Some(s) = target_config.and_then(|c| c.llvm_config.as_ref()) {
774             cargo.env("CFG_LLVM_ROOT", s);
775         }
776
777         // Some LLVM linker flags (-L and -l) may be needed to link `rustc_llvm`. Its build script
778         // expects these to be passed via the `LLVM_LINKER_FLAGS` env variable, separated by
779         // whitespace.
780         //
781         // For example:
782         // - on windows, when `clang-cl` is used with instrumentation, we need to manually add
783         // clang's runtime library resource directory so that the profiler runtime library can be
784         // found. This is to avoid the linker errors about undefined references to
785         // `__llvm_profile_instrument_memop` when linking `rustc_driver`.
786         let mut llvm_linker_flags = String::new();
787         if builder.config.llvm_profile_generate && target.contains("msvc") {
788             if let Some(ref clang_cl_path) = builder.config.llvm_clang_cl {
789                 // Add clang's runtime library directory to the search path
790                 let clang_rt_dir = get_clang_cl_resource_dir(clang_cl_path);
791                 llvm_linker_flags.push_str(&format!("-L{}", clang_rt_dir.display()));
792             }
793         }
794
795         // The config can also specify its own llvm linker flags.
796         if let Some(ref s) = builder.config.llvm_ldflags {
797             if !llvm_linker_flags.is_empty() {
798                 llvm_linker_flags.push_str(" ");
799             }
800             llvm_linker_flags.push_str(s);
801         }
802
803         // Set the linker flags via the env var that `rustc_llvm`'s build script will read.
804         if !llvm_linker_flags.is_empty() {
805             cargo.env("LLVM_LINKER_FLAGS", llvm_linker_flags);
806         }
807
808         // Building with a static libstdc++ is only supported on linux right now,
809         // not for MSVC or macOS
810         if builder.config.llvm_static_stdcpp
811             && !target.contains("freebsd")
812             && !target.contains("msvc")
813             && !target.contains("apple")
814             && !target.contains("solaris")
815         {
816             let file = compiler_file(
817                 builder,
818                 builder.cxx(target).unwrap(),
819                 target,
820                 CLang::Cxx,
821                 "libstdc++.a",
822             );
823             cargo.env("LLVM_STATIC_STDCPP", file);
824         }
825         if builder.llvm_link_shared() {
826             cargo.env("LLVM_LINK_SHARED", "1");
827         }
828         if builder.config.llvm_use_libcxx {
829             cargo.env("LLVM_USE_LIBCXX", "1");
830         }
831         if builder.config.llvm_optimize && !builder.config.llvm_release_debuginfo {
832             cargo.env("LLVM_NDEBUG", "1");
833         }
834     }
835 }
836
837 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
838 struct RustcLink {
839     pub compiler: Compiler,
840     pub target_compiler: Compiler,
841     pub target: TargetSelection,
842     /// Not actually used; only present to make sure the cache invalidation is correct.
843     crates: Interned<Vec<String>>,
844 }
845
846 impl RustcLink {
847     fn from_rustc(rustc: Rustc, host_compiler: Compiler) -> Self {
848         Self {
849             compiler: host_compiler,
850             target_compiler: rustc.compiler,
851             target: rustc.target,
852             crates: rustc.crates,
853         }
854     }
855 }
856
857 impl Step for RustcLink {
858     type Output = ();
859
860     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
861         run.never()
862     }
863
864     /// Same as `std_link`, only for librustc
865     fn run(self, builder: &Builder<'_>) {
866         let compiler = self.compiler;
867         let target_compiler = self.target_compiler;
868         let target = self.target;
869         builder.info(&format!(
870             "Copying stage{} rustc from stage{} ({} -> {} / {})",
871             target_compiler.stage, compiler.stage, &compiler.host, target_compiler.host, target
872         ));
873         add_to_sysroot(
874             builder,
875             &builder.sysroot_libdir(target_compiler, target),
876             &builder.sysroot_libdir(target_compiler, compiler.host),
877             &librustc_stamp(builder, compiler, target),
878         );
879     }
880 }
881
882 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
883 pub struct CodegenBackend {
884     pub target: TargetSelection,
885     pub compiler: Compiler,
886     pub backend: Interned<String>,
887 }
888
889 impl Step for CodegenBackend {
890     type Output = ();
891     const ONLY_HOSTS: bool = true;
892     // Only the backends specified in the `codegen-backends` entry of `config.toml` are built.
893     const DEFAULT: bool = true;
894
895     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
896         run.paths(&["compiler/rustc_codegen_cranelift", "compiler/rustc_codegen_gcc"])
897     }
898
899     fn make_run(run: RunConfig<'_>) {
900         for &backend in &run.builder.config.rust_codegen_backends {
901             if backend == "llvm" {
902                 continue; // Already built as part of rustc
903             }
904
905             run.builder.ensure(CodegenBackend {
906                 target: run.target,
907                 compiler: run.builder.compiler(run.builder.top_stage, run.build_triple()),
908                 backend,
909             });
910         }
911     }
912
913     fn run(self, builder: &Builder<'_>) {
914         let compiler = self.compiler;
915         let target = self.target;
916         let backend = self.backend;
917
918         builder.ensure(Rustc::new(compiler, target));
919
920         if builder.config.keep_stage.contains(&compiler.stage) {
921             builder.info(
922                 "Warning: Using a potentially old codegen backend. \
923                 This may not behave well.",
924             );
925             // Codegen backends are linked separately from this step today, so we don't do
926             // anything here.
927             return;
928         }
929
930         let compiler_to_use = builder.compiler_for(compiler.stage, compiler.host, target);
931         if compiler_to_use != compiler {
932             builder.ensure(CodegenBackend { compiler: compiler_to_use, target, backend });
933             return;
934         }
935
936         let out_dir = builder.cargo_out(compiler, Mode::Codegen, target);
937
938         let mut cargo = builder.cargo(compiler, Mode::Codegen, SourceType::InTree, target, "build");
939         cargo
940             .arg("--manifest-path")
941             .arg(builder.src.join(format!("compiler/rustc_codegen_{}/Cargo.toml", backend)));
942         rustc_cargo_env(builder, &mut cargo, target);
943
944         let tmp_stamp = out_dir.join(".tmp.stamp");
945
946         builder.info(&format!(
947             "Building stage{} codegen backend {} ({} -> {})",
948             compiler.stage, backend, &compiler.host, target
949         ));
950         let files = run_cargo(builder, cargo, vec![], &tmp_stamp, vec![], false);
951         if builder.config.dry_run {
952             return;
953         }
954         let mut files = files.into_iter().filter(|f| {
955             let filename = f.file_name().unwrap().to_str().unwrap();
956             is_dylib(filename) && filename.contains("rustc_codegen_")
957         });
958         let codegen_backend = match files.next() {
959             Some(f) => f,
960             None => panic!("no dylibs built for codegen backend?"),
961         };
962         if let Some(f) = files.next() {
963             panic!(
964                 "codegen backend built two dylibs:\n{}\n{}",
965                 codegen_backend.display(),
966                 f.display()
967             );
968         }
969         let stamp = codegen_backend_stamp(builder, compiler, target, backend);
970         let codegen_backend = codegen_backend.to_str().unwrap();
971         t!(fs::write(&stamp, &codegen_backend));
972     }
973 }
974
975 /// Creates the `codegen-backends` folder for a compiler that's about to be
976 /// assembled as a complete compiler.
977 ///
978 /// This will take the codegen artifacts produced by `compiler` and link them
979 /// into an appropriate location for `target_compiler` to be a functional
980 /// compiler.
981 fn copy_codegen_backends_to_sysroot(
982     builder: &Builder<'_>,
983     compiler: Compiler,
984     target_compiler: Compiler,
985 ) {
986     let target = target_compiler.host;
987
988     // Note that this step is different than all the other `*Link` steps in
989     // that it's not assembling a bunch of libraries but rather is primarily
990     // moving the codegen backend into place. The codegen backend of rustc is
991     // not linked into the main compiler by default but is rather dynamically
992     // selected at runtime for inclusion.
993     //
994     // Here we're looking for the output dylib of the `CodegenBackend` step and
995     // we're copying that into the `codegen-backends` folder.
996     let dst = builder.sysroot_codegen_backends(target_compiler);
997     t!(fs::create_dir_all(&dst), dst);
998
999     if builder.config.dry_run {
1000         return;
1001     }
1002
1003     for backend in builder.config.rust_codegen_backends.iter() {
1004         if backend == "llvm" {
1005             continue; // Already built as part of rustc
1006         }
1007
1008         let stamp = codegen_backend_stamp(builder, compiler, target, *backend);
1009         let dylib = t!(fs::read_to_string(&stamp));
1010         let file = Path::new(&dylib);
1011         let filename = file.file_name().unwrap().to_str().unwrap();
1012         // change `librustc_codegen_cranelift-xxxxxx.so` to
1013         // `librustc_codegen_cranelift-release.so`
1014         let target_filename = {
1015             let dash = filename.find('-').unwrap();
1016             let dot = filename.find('.').unwrap();
1017             format!("{}-{}{}", &filename[..dash], builder.rust_release(), &filename[dot..])
1018         };
1019         builder.copy(&file, &dst.join(target_filename));
1020     }
1021 }
1022
1023 /// Cargo's output path for the standard library in a given stage, compiled
1024 /// by a particular compiler for the specified target.
1025 pub fn libstd_stamp(builder: &Builder<'_>, compiler: Compiler, target: TargetSelection) -> PathBuf {
1026     builder.cargo_out(compiler, Mode::Std, target).join(".libstd.stamp")
1027 }
1028
1029 /// Cargo's output path for librustc in a given stage, compiled by a particular
1030 /// compiler for the specified target.
1031 pub fn librustc_stamp(
1032     builder: &Builder<'_>,
1033     compiler: Compiler,
1034     target: TargetSelection,
1035 ) -> PathBuf {
1036     builder.cargo_out(compiler, Mode::Rustc, target).join(".librustc.stamp")
1037 }
1038
1039 /// Cargo's output path for librustc_codegen_llvm in a given stage, compiled by a particular
1040 /// compiler for the specified target and backend.
1041 fn codegen_backend_stamp(
1042     builder: &Builder<'_>,
1043     compiler: Compiler,
1044     target: TargetSelection,
1045     backend: Interned<String>,
1046 ) -> PathBuf {
1047     builder
1048         .cargo_out(compiler, Mode::Codegen, target)
1049         .join(format!(".librustc_codegen_{}.stamp", backend))
1050 }
1051
1052 pub fn compiler_file(
1053     builder: &Builder<'_>,
1054     compiler: &Path,
1055     target: TargetSelection,
1056     c: CLang,
1057     file: &str,
1058 ) -> PathBuf {
1059     let mut cmd = Command::new(compiler);
1060     cmd.args(builder.cflags(target, GitRepo::Rustc, c));
1061     cmd.arg(format!("-print-file-name={}", file));
1062     let out = output(&mut cmd);
1063     PathBuf::from(out.trim())
1064 }
1065
1066 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1067 pub struct Sysroot {
1068     pub compiler: Compiler,
1069 }
1070
1071 impl Step for Sysroot {
1072     type Output = Interned<PathBuf>;
1073
1074     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1075         run.never()
1076     }
1077
1078     /// Returns the sysroot for the `compiler` specified that *this build system
1079     /// generates*.
1080     ///
1081     /// That is, the sysroot for the stage0 compiler is not what the compiler
1082     /// thinks it is by default, but it's the same as the default for stages
1083     /// 1-3.
1084     fn run(self, builder: &Builder<'_>) -> Interned<PathBuf> {
1085         let compiler = self.compiler;
1086         let sysroot = if compiler.stage == 0 {
1087             builder.out.join(&compiler.host.triple).join("stage0-sysroot")
1088         } else {
1089             builder.out.join(&compiler.host.triple).join(format!("stage{}", compiler.stage))
1090         };
1091         let _ = fs::remove_dir_all(&sysroot);
1092         t!(fs::create_dir_all(&sysroot));
1093
1094         // If we're downloading a compiler from CI, we can use the same compiler for all stages other than 0.
1095         if builder.download_rustc() && compiler.stage != 0 {
1096             assert_eq!(
1097                 builder.config.build, compiler.host,
1098                 "Cross-compiling is not yet supported with `download-rustc`",
1099             );
1100             // Copy the compiler into the correct sysroot.
1101             let ci_rustc_dir =
1102                 builder.config.out.join(&*builder.config.build.triple).join("ci-rustc");
1103             builder.cp_r(&ci_rustc_dir, &sysroot);
1104             return INTERNER.intern_path(sysroot);
1105         }
1106
1107         // Symlink the source root into the same location inside the sysroot,
1108         // where `rust-src` component would go (`$sysroot/lib/rustlib/src/rust`),
1109         // so that any tools relying on `rust-src` also work for local builds,
1110         // and also for translating the virtual `/rustc/$hash` back to the real
1111         // directory (for running tests with `rust.remap-debuginfo = true`).
1112         let sysroot_lib_rustlib_src = sysroot.join("lib/rustlib/src");
1113         t!(fs::create_dir_all(&sysroot_lib_rustlib_src));
1114         let sysroot_lib_rustlib_src_rust = sysroot_lib_rustlib_src.join("rust");
1115         if let Err(e) = symlink_dir(&builder.config, &builder.src, &sysroot_lib_rustlib_src_rust) {
1116             eprintln!(
1117                 "warning: creating symbolic link `{}` to `{}` failed with {}",
1118                 sysroot_lib_rustlib_src_rust.display(),
1119                 builder.src.display(),
1120                 e,
1121             );
1122             if builder.config.rust_remap_debuginfo {
1123                 eprintln!(
1124                     "warning: some `src/test/ui` tests will fail when lacking `{}`",
1125                     sysroot_lib_rustlib_src_rust.display(),
1126                 );
1127             }
1128         }
1129
1130         INTERNER.intern_path(sysroot)
1131     }
1132 }
1133
1134 #[derive(Debug, Copy, PartialOrd, Ord, Clone, PartialEq, Eq, Hash)]
1135 pub struct Assemble {
1136     /// The compiler which we will produce in this step. Assemble itself will
1137     /// take care of ensuring that the necessary prerequisites to do so exist,
1138     /// that is, this target can be a stage2 compiler and Assemble will build
1139     /// previous stages for you.
1140     pub target_compiler: Compiler,
1141 }
1142
1143 impl Step for Assemble {
1144     type Output = Compiler;
1145     const ONLY_HOSTS: bool = true;
1146
1147     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1148         run.path("compiler/rustc").path("compiler")
1149     }
1150
1151     fn make_run(run: RunConfig<'_>) {
1152         run.builder.ensure(Assemble {
1153             target_compiler: run.builder.compiler(run.builder.top_stage + 1, run.target),
1154         });
1155     }
1156
1157     /// Prepare a new compiler from the artifacts in `stage`
1158     ///
1159     /// This will assemble a compiler in `build/$host/stage$stage`. The compiler
1160     /// must have been previously produced by the `stage - 1` builder.build
1161     /// compiler.
1162     fn run(self, builder: &Builder<'_>) -> Compiler {
1163         let target_compiler = self.target_compiler;
1164
1165         if target_compiler.stage == 0 {
1166             assert_eq!(
1167                 builder.config.build, target_compiler.host,
1168                 "Cannot obtain compiler for non-native build triple at stage 0"
1169             );
1170             // The stage 0 compiler for the build triple is always pre-built.
1171             return target_compiler;
1172         }
1173
1174         // Get the compiler that we'll use to bootstrap ourselves.
1175         //
1176         // Note that this is where the recursive nature of the bootstrap
1177         // happens, as this will request the previous stage's compiler on
1178         // downwards to stage 0.
1179         //
1180         // Also note that we're building a compiler for the host platform. We
1181         // only assume that we can run `build` artifacts, which means that to
1182         // produce some other architecture compiler we need to start from
1183         // `build` to get there.
1184         //
1185         // FIXME: It may be faster if we build just a stage 1 compiler and then
1186         //        use that to bootstrap this compiler forward.
1187         let build_compiler = builder.compiler(target_compiler.stage - 1, builder.config.build);
1188
1189         // If we're downloading a compiler from CI, we can use the same compiler for all stages other than 0.
1190         if builder.download_rustc() {
1191             builder.ensure(Sysroot { compiler: target_compiler });
1192             return target_compiler;
1193         }
1194
1195         // Build the libraries for this compiler to link to (i.e., the libraries
1196         // it uses at runtime). NOTE: Crates the target compiler compiles don't
1197         // link to these. (FIXME: Is that correct? It seems to be correct most
1198         // of the time but I think we do link to these for stage2/bin compilers
1199         // when not performing a full bootstrap).
1200         builder.ensure(Rustc::new(build_compiler, target_compiler.host));
1201
1202         for &backend in builder.config.rust_codegen_backends.iter() {
1203             if backend == "llvm" {
1204                 continue; // Already built as part of rustc
1205             }
1206
1207             builder.ensure(CodegenBackend {
1208                 compiler: build_compiler,
1209                 target: target_compiler.host,
1210                 backend,
1211             });
1212         }
1213
1214         let lld_install = if builder.config.lld_enabled {
1215             Some(builder.ensure(native::Lld { target: target_compiler.host }))
1216         } else {
1217             None
1218         };
1219
1220         let stage = target_compiler.stage;
1221         let host = target_compiler.host;
1222         builder.info(&format!("Assembling stage{} compiler ({})", stage, host));
1223
1224         // Link in all dylibs to the libdir
1225         let stamp = librustc_stamp(builder, build_compiler, target_compiler.host);
1226         let proc_macros = builder
1227             .read_stamp_file(&stamp)
1228             .into_iter()
1229             .filter_map(|(path, dependency_type)| {
1230                 if dependency_type == DependencyType::Host {
1231                     Some(path.file_name().unwrap().to_owned().into_string().unwrap())
1232                 } else {
1233                     None
1234                 }
1235             })
1236             .collect::<HashSet<_>>();
1237
1238         let sysroot = builder.sysroot(target_compiler);
1239         let rustc_libdir = builder.rustc_libdir(target_compiler);
1240         t!(fs::create_dir_all(&rustc_libdir));
1241         let src_libdir = builder.sysroot_libdir(build_compiler, host);
1242         for f in builder.read_dir(&src_libdir) {
1243             let filename = f.file_name().into_string().unwrap();
1244             if (is_dylib(&filename) || is_debug_info(&filename)) && !proc_macros.contains(&filename)
1245             {
1246                 builder.copy(&f.path(), &rustc_libdir.join(&filename));
1247             }
1248         }
1249
1250         copy_codegen_backends_to_sysroot(builder, build_compiler, target_compiler);
1251
1252         // We prepend this bin directory to the user PATH when linking Rust binaries. To
1253         // avoid shadowing the system LLD we rename the LLD we provide to `rust-lld`.
1254         let libdir = builder.sysroot_libdir(target_compiler, target_compiler.host);
1255         let libdir_bin = libdir.parent().unwrap().join("bin");
1256         t!(fs::create_dir_all(&libdir_bin));
1257         if let Some(lld_install) = lld_install {
1258             let src_exe = exe("lld", target_compiler.host);
1259             let dst_exe = exe("rust-lld", target_compiler.host);
1260             builder.copy(&lld_install.join("bin").join(&src_exe), &libdir_bin.join(&dst_exe));
1261             // for `-Z gcc-ld=lld`
1262             let gcc_ld_dir = libdir_bin.join("gcc-ld");
1263             t!(fs::create_dir(&gcc_ld_dir));
1264             let lld_wrapper_exe = builder.ensure(crate::tool::LldWrapper {
1265                 compiler: build_compiler,
1266                 target: target_compiler.host,
1267             });
1268             builder.copy(&lld_wrapper_exe, &gcc_ld_dir.join(exe("ld", target_compiler.host)));
1269         }
1270
1271         if builder.config.rust_codegen_backends.contains(&INTERNER.intern_str("llvm")) {
1272             let llvm_config_bin = builder.ensure(native::Llvm { target: target_compiler.host });
1273             if !builder.config.dry_run {
1274                 let llvm_bin_dir = output(Command::new(llvm_config_bin).arg("--bindir"));
1275                 let llvm_bin_dir = Path::new(llvm_bin_dir.trim());
1276
1277                 // Since we've already built the LLVM tools, install them to the sysroot.
1278                 // This is the equivalent of installing the `llvm-tools-preview` component via
1279                 // rustup, and lets developers use a locally built toolchain to
1280                 // build projects that expect llvm tools to be present in the sysroot
1281                 // (e.g. the `bootimage` crate).
1282                 for tool in LLVM_TOOLS {
1283                     let tool_exe = exe(tool, target_compiler.host);
1284                     let src_path = llvm_bin_dir.join(&tool_exe);
1285                     // When using `download-ci-llvm`, some of the tools
1286                     // may not exist, so skip trying to copy them.
1287                     if src_path.exists() {
1288                         builder.copy(&src_path, &libdir_bin.join(&tool_exe));
1289                     }
1290                 }
1291             }
1292         }
1293
1294         // Ensure that `libLLVM.so` ends up in the newly build compiler directory,
1295         // so that it can be found when the newly built `rustc` is run.
1296         dist::maybe_install_llvm_runtime(builder, target_compiler.host, &sysroot);
1297         dist::maybe_install_llvm_target(builder, target_compiler.host, &sysroot);
1298
1299         // Link the compiler binary itself into place
1300         let out_dir = builder.cargo_out(build_compiler, Mode::Rustc, host);
1301         let rustc = out_dir.join(exe("rustc-main", host));
1302         let bindir = sysroot.join("bin");
1303         t!(fs::create_dir_all(&bindir));
1304         let compiler = builder.rustc(target_compiler);
1305         builder.copy(&rustc, &compiler);
1306
1307         target_compiler
1308     }
1309 }
1310
1311 /// Link some files into a rustc sysroot.
1312 ///
1313 /// For a particular stage this will link the file listed in `stamp` into the
1314 /// `sysroot_dst` provided.
1315 pub fn add_to_sysroot(
1316     builder: &Builder<'_>,
1317     sysroot_dst: &Path,
1318     sysroot_host_dst: &Path,
1319     stamp: &Path,
1320 ) {
1321     let self_contained_dst = &sysroot_dst.join("self-contained");
1322     t!(fs::create_dir_all(&sysroot_dst));
1323     t!(fs::create_dir_all(&sysroot_host_dst));
1324     t!(fs::create_dir_all(&self_contained_dst));
1325     for (path, dependency_type) in builder.read_stamp_file(stamp) {
1326         let dst = match dependency_type {
1327             DependencyType::Host => sysroot_host_dst,
1328             DependencyType::Target => sysroot_dst,
1329             DependencyType::TargetSelfContained => self_contained_dst,
1330         };
1331         builder.copy(&path, &dst.join(path.file_name().unwrap()));
1332     }
1333 }
1334
1335 pub fn run_cargo(
1336     builder: &Builder<'_>,
1337     cargo: Cargo,
1338     tail_args: Vec<String>,
1339     stamp: &Path,
1340     additional_target_deps: Vec<(PathBuf, DependencyType)>,
1341     is_check: bool,
1342 ) -> Vec<PathBuf> {
1343     if builder.config.dry_run {
1344         return Vec::new();
1345     }
1346
1347     // `target_root_dir` looks like $dir/$target/release
1348     let target_root_dir = stamp.parent().unwrap();
1349     // `target_deps_dir` looks like $dir/$target/release/deps
1350     let target_deps_dir = target_root_dir.join("deps");
1351     // `host_root_dir` looks like $dir/release
1352     let host_root_dir = target_root_dir
1353         .parent()
1354         .unwrap() // chop off `release`
1355         .parent()
1356         .unwrap() // chop off `$target`
1357         .join(target_root_dir.file_name().unwrap());
1358
1359     // Spawn Cargo slurping up its JSON output. We'll start building up the
1360     // `deps` array of all files it generated along with a `toplevel` array of
1361     // files we need to probe for later.
1362     let mut deps = Vec::new();
1363     let mut toplevel = Vec::new();
1364     let ok = stream_cargo(builder, cargo, tail_args, &mut |msg| {
1365         let (filenames, crate_types) = match msg {
1366             CargoMessage::CompilerArtifact {
1367                 filenames,
1368                 target: CargoTarget { crate_types },
1369                 ..
1370             } => (filenames, crate_types),
1371             _ => return,
1372         };
1373         for filename in filenames {
1374             // Skip files like executables
1375             if !(filename.ends_with(".rlib")
1376                 || filename.ends_with(".lib")
1377                 || filename.ends_with(".a")
1378                 || is_debug_info(&filename)
1379                 || is_dylib(&filename)
1380                 || (is_check && filename.ends_with(".rmeta")))
1381             {
1382                 continue;
1383             }
1384
1385             let filename = Path::new(&*filename);
1386
1387             // If this was an output file in the "host dir" we don't actually
1388             // worry about it, it's not relevant for us
1389             if filename.starts_with(&host_root_dir) {
1390                 // Unless it's a proc macro used in the compiler
1391                 if crate_types.iter().any(|t| t == "proc-macro") {
1392                     deps.push((filename.to_path_buf(), DependencyType::Host));
1393                 }
1394                 continue;
1395             }
1396
1397             // If this was output in the `deps` dir then this is a precise file
1398             // name (hash included) so we start tracking it.
1399             if filename.starts_with(&target_deps_dir) {
1400                 deps.push((filename.to_path_buf(), DependencyType::Target));
1401                 continue;
1402             }
1403
1404             // Otherwise this was a "top level artifact" which right now doesn't
1405             // have a hash in the name, but there's a version of this file in
1406             // the `deps` folder which *does* have a hash in the name. That's
1407             // the one we'll want to we'll probe for it later.
1408             //
1409             // We do not use `Path::file_stem` or `Path::extension` here,
1410             // because some generated files may have multiple extensions e.g.
1411             // `std-<hash>.dll.lib` on Windows. The aforementioned methods only
1412             // split the file name by the last extension (`.lib`) while we need
1413             // to split by all extensions (`.dll.lib`).
1414             let expected_len = t!(filename.metadata()).len();
1415             let filename = filename.file_name().unwrap().to_str().unwrap();
1416             let mut parts = filename.splitn(2, '.');
1417             let file_stem = parts.next().unwrap().to_owned();
1418             let extension = parts.next().unwrap().to_owned();
1419
1420             toplevel.push((file_stem, extension, expected_len));
1421         }
1422     });
1423
1424     if !ok {
1425         crate::detail_exit(1);
1426     }
1427
1428     // Ok now we need to actually find all the files listed in `toplevel`. We've
1429     // got a list of prefix/extensions and we basically just need to find the
1430     // most recent file in the `deps` folder corresponding to each one.
1431     let contents = t!(target_deps_dir.read_dir())
1432         .map(|e| t!(e))
1433         .map(|e| (e.path(), e.file_name().into_string().unwrap(), t!(e.metadata())))
1434         .collect::<Vec<_>>();
1435     for (prefix, extension, expected_len) in toplevel {
1436         let candidates = contents.iter().filter(|&&(_, ref filename, ref meta)| {
1437             meta.len() == expected_len
1438                 && filename
1439                     .strip_prefix(&prefix[..])
1440                     .map(|s| s.starts_with('-') && s.ends_with(&extension[..]))
1441                     .unwrap_or(false)
1442         });
1443         let max = candidates.max_by_key(|&&(_, _, ref metadata)| {
1444             metadata.modified().expect("mtime should be available on all relevant OSes")
1445         });
1446         let path_to_add = match max {
1447             Some(triple) => triple.0.to_str().unwrap(),
1448             None => panic!("no output generated for {:?} {:?}", prefix, extension),
1449         };
1450         if is_dylib(path_to_add) {
1451             let candidate = format!("{}.lib", path_to_add);
1452             let candidate = PathBuf::from(candidate);
1453             if candidate.exists() {
1454                 deps.push((candidate, DependencyType::Target));
1455             }
1456         }
1457         deps.push((path_to_add.into(), DependencyType::Target));
1458     }
1459
1460     deps.extend(additional_target_deps);
1461     deps.sort();
1462     let mut new_contents = Vec::new();
1463     for (dep, dependency_type) in deps.iter() {
1464         new_contents.extend(match *dependency_type {
1465             DependencyType::Host => b"h",
1466             DependencyType::Target => b"t",
1467             DependencyType::TargetSelfContained => b"s",
1468         });
1469         new_contents.extend(dep.to_str().unwrap().as_bytes());
1470         new_contents.extend(b"\0");
1471     }
1472     t!(fs::write(&stamp, &new_contents));
1473     deps.into_iter().map(|(d, _)| d).collect()
1474 }
1475
1476 pub fn stream_cargo(
1477     builder: &Builder<'_>,
1478     cargo: Cargo,
1479     tail_args: Vec<String>,
1480     cb: &mut dyn FnMut(CargoMessage<'_>),
1481 ) -> bool {
1482     let mut cargo = Command::from(cargo);
1483     if builder.config.dry_run {
1484         return true;
1485     }
1486     // Instruct Cargo to give us json messages on stdout, critically leaving
1487     // stderr as piped so we can get those pretty colors.
1488     let mut message_format = if builder.config.json_output {
1489         String::from("json")
1490     } else {
1491         String::from("json-render-diagnostics")
1492     };
1493     if let Some(s) = &builder.config.rustc_error_format {
1494         message_format.push_str(",json-diagnostic-");
1495         message_format.push_str(s);
1496     }
1497     cargo.arg("--message-format").arg(message_format).stdout(Stdio::piped());
1498
1499     for arg in tail_args {
1500         cargo.arg(arg);
1501     }
1502
1503     builder.verbose(&format!("running: {:?}", cargo));
1504     let mut child = match cargo.spawn() {
1505         Ok(child) => child,
1506         Err(e) => panic!("failed to execute command: {:?}\nerror: {}", cargo, e),
1507     };
1508
1509     // Spawn Cargo slurping up its JSON output. We'll start building up the
1510     // `deps` array of all files it generated along with a `toplevel` array of
1511     // files we need to probe for later.
1512     let stdout = BufReader::new(child.stdout.take().unwrap());
1513     for line in stdout.lines() {
1514         let line = t!(line);
1515         match serde_json::from_str::<CargoMessage<'_>>(&line) {
1516             Ok(msg) => {
1517                 if builder.config.json_output {
1518                     // Forward JSON to stdout.
1519                     println!("{}", line);
1520                 }
1521                 cb(msg)
1522             }
1523             // If this was informational, just print it out and continue
1524             Err(_) => println!("{}", line),
1525         }
1526     }
1527
1528     // Make sure Cargo actually succeeded after we read all of its stdout.
1529     let status = t!(child.wait());
1530     if builder.is_verbose() && !status.success() {
1531         eprintln!(
1532             "command did not execute successfully: {:?}\n\
1533                   expected success, got: {}",
1534             cargo, status
1535         );
1536     }
1537     status.success()
1538 }
1539
1540 #[derive(Deserialize)]
1541 pub struct CargoTarget<'a> {
1542     crate_types: Vec<Cow<'a, str>>,
1543 }
1544
1545 #[derive(Deserialize)]
1546 #[serde(tag = "reason", rename_all = "kebab-case")]
1547 pub enum CargoMessage<'a> {
1548     CompilerArtifact {
1549         package_id: Cow<'a, str>,
1550         features: Vec<Cow<'a, str>>,
1551         filenames: Vec<Cow<'a, str>>,
1552         target: CargoTarget<'a>,
1553     },
1554     BuildScriptExecuted {
1555         package_id: Cow<'a, str>,
1556     },
1557     BuildFinished {
1558         success: bool,
1559     },
1560 }