]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/compile.rs
Rollup merge of #99837 - TaKO8Ki:avoid-symbol-to-string-conversions, r=fee1-dead
[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         // With LLD, we can use ICF (identical code folding) to reduce the executable size
655         // of librustc_driver/rustc and to improve i-cache utilization.
656         if builder.config.use_lld {
657             cargo.rustflag("-Clink-args=-Wl,--icf=all");
658         }
659
660         let is_collecting = if let Some(path) = &builder.config.rust_profile_generate {
661             if compiler.stage == 1 {
662                 cargo.rustflag(&format!("-Cprofile-generate={}", path));
663                 // Apparently necessary to avoid overflowing the counters during
664                 // a Cargo build profile
665                 cargo.rustflag("-Cllvm-args=-vp-counters-per-site=4");
666                 true
667             } else {
668                 false
669             }
670         } else if let Some(path) = &builder.config.rust_profile_use {
671             if compiler.stage == 1 {
672                 cargo.rustflag(&format!("-Cprofile-use={}", path));
673                 cargo.rustflag("-Cllvm-args=-pgo-warn-missing-function");
674                 true
675             } else {
676                 false
677             }
678         } else {
679             false
680         };
681         if is_collecting {
682             // Ensure paths to Rust sources are relative, not absolute.
683             cargo.rustflag(&format!(
684                 "-Cllvm-args=-static-func-strip-dirname-prefix={}",
685                 builder.config.src.components().count()
686             ));
687         }
688
689         builder.info(&format!(
690             "Building stage{} compiler artifacts ({} -> {})",
691             compiler.stage, &compiler.host, target
692         ));
693         run_cargo(
694             builder,
695             cargo,
696             self.crates.to_vec(),
697             &librustc_stamp(builder, compiler, target),
698             vec![],
699             false,
700         );
701
702         builder.ensure(RustcLink::from_rustc(
703             self,
704             builder.compiler(compiler.stage, builder.config.build),
705         ));
706     }
707 }
708
709 pub fn rustc_cargo(builder: &Builder<'_>, cargo: &mut Cargo, target: TargetSelection) {
710     cargo
711         .arg("--features")
712         .arg(builder.rustc_features(builder.kind))
713         .arg("--manifest-path")
714         .arg(builder.src.join("compiler/rustc/Cargo.toml"));
715     rustc_cargo_env(builder, cargo, target);
716 }
717
718 pub fn rustc_cargo_env(builder: &Builder<'_>, cargo: &mut Cargo, target: TargetSelection) {
719     // Set some configuration variables picked up by build scripts and
720     // the compiler alike
721     cargo
722         .env("CFG_RELEASE", builder.rust_release())
723         .env("CFG_RELEASE_CHANNEL", &builder.config.channel)
724         .env("CFG_VERSION", builder.rust_version());
725
726     if let Some(backend) = builder.config.rust_codegen_backends.get(0) {
727         cargo.env("CFG_DEFAULT_CODEGEN_BACKEND", backend);
728     }
729
730     let libdir_relative = builder.config.libdir_relative().unwrap_or_else(|| Path::new("lib"));
731     let target_config = builder.config.target_config.get(&target);
732
733     cargo.env("CFG_LIBDIR_RELATIVE", libdir_relative);
734
735     if let Some(ref ver_date) = builder.rust_info.commit_date() {
736         cargo.env("CFG_VER_DATE", ver_date);
737     }
738     if let Some(ref ver_hash) = builder.rust_info.sha() {
739         cargo.env("CFG_VER_HASH", ver_hash);
740     }
741     if !builder.unstable_features() {
742         cargo.env("CFG_DISABLE_UNSTABLE_FEATURES", "1");
743     }
744
745     // Prefer the current target's own default_linker, else a globally
746     // specified one.
747     if let Some(s) = target_config.and_then(|c| c.default_linker.as_ref()) {
748         cargo.env("CFG_DEFAULT_LINKER", s);
749     } else if let Some(ref s) = builder.config.rustc_default_linker {
750         cargo.env("CFG_DEFAULT_LINKER", s);
751     }
752
753     if builder.config.rustc_parallel {
754         // keep in sync with `bootstrap/lib.rs:Build::rustc_features`
755         // `cfg` option for rustc, `features` option for cargo, for conditional compilation
756         cargo.rustflag("--cfg=parallel_compiler");
757         cargo.rustdocflag("--cfg=parallel_compiler");
758     }
759     if builder.config.rust_verify_llvm_ir {
760         cargo.env("RUSTC_VERIFY_LLVM_IR", "1");
761     }
762
763     // Pass down configuration from the LLVM build into the build of
764     // rustc_llvm and rustc_codegen_llvm.
765     //
766     // Note that this is disabled if LLVM itself is disabled or we're in a check
767     // build. If we are in a check build we still go ahead here presuming we've
768     // detected that LLVM is already built and good to go which helps prevent
769     // busting caches (e.g. like #71152).
770     if builder.config.llvm_enabled()
771         && (builder.kind != Kind::Check
772             || crate::native::prebuilt_llvm_config(builder, target).is_ok())
773     {
774         if builder.is_rust_llvm(target) {
775             cargo.env("LLVM_RUSTLLVM", "1");
776         }
777         let llvm_config = builder.ensure(native::Llvm { target });
778         cargo.env("LLVM_CONFIG", &llvm_config);
779         if let Some(s) = target_config.and_then(|c| c.llvm_config.as_ref()) {
780             cargo.env("CFG_LLVM_ROOT", s);
781         }
782
783         // Some LLVM linker flags (-L and -l) may be needed to link `rustc_llvm`. Its build script
784         // expects these to be passed via the `LLVM_LINKER_FLAGS` env variable, separated by
785         // whitespace.
786         //
787         // For example:
788         // - on windows, when `clang-cl` is used with instrumentation, we need to manually add
789         // clang's runtime library resource directory so that the profiler runtime library can be
790         // found. This is to avoid the linker errors about undefined references to
791         // `__llvm_profile_instrument_memop` when linking `rustc_driver`.
792         let mut llvm_linker_flags = String::new();
793         if builder.config.llvm_profile_generate && target.contains("msvc") {
794             if let Some(ref clang_cl_path) = builder.config.llvm_clang_cl {
795                 // Add clang's runtime library directory to the search path
796                 let clang_rt_dir = get_clang_cl_resource_dir(clang_cl_path);
797                 llvm_linker_flags.push_str(&format!("-L{}", clang_rt_dir.display()));
798             }
799         }
800
801         // The config can also specify its own llvm linker flags.
802         if let Some(ref s) = builder.config.llvm_ldflags {
803             if !llvm_linker_flags.is_empty() {
804                 llvm_linker_flags.push_str(" ");
805             }
806             llvm_linker_flags.push_str(s);
807         }
808
809         // Set the linker flags via the env var that `rustc_llvm`'s build script will read.
810         if !llvm_linker_flags.is_empty() {
811             cargo.env("LLVM_LINKER_FLAGS", llvm_linker_flags);
812         }
813
814         // Building with a static libstdc++ is only supported on linux right now,
815         // not for MSVC or macOS
816         if builder.config.llvm_static_stdcpp
817             && !target.contains("freebsd")
818             && !target.contains("msvc")
819             && !target.contains("apple")
820             && !target.contains("solaris")
821         {
822             let file = compiler_file(
823                 builder,
824                 builder.cxx(target).unwrap(),
825                 target,
826                 CLang::Cxx,
827                 "libstdc++.a",
828             );
829             cargo.env("LLVM_STATIC_STDCPP", file);
830         }
831         if builder.llvm_link_shared() {
832             cargo.env("LLVM_LINK_SHARED", "1");
833         }
834         if builder.config.llvm_use_libcxx {
835             cargo.env("LLVM_USE_LIBCXX", "1");
836         }
837         if builder.config.llvm_optimize && !builder.config.llvm_release_debuginfo {
838             cargo.env("LLVM_NDEBUG", "1");
839         }
840     }
841 }
842
843 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
844 struct RustcLink {
845     pub compiler: Compiler,
846     pub target_compiler: Compiler,
847     pub target: TargetSelection,
848     /// Not actually used; only present to make sure the cache invalidation is correct.
849     crates: Interned<Vec<String>>,
850 }
851
852 impl RustcLink {
853     fn from_rustc(rustc: Rustc, host_compiler: Compiler) -> Self {
854         Self {
855             compiler: host_compiler,
856             target_compiler: rustc.compiler,
857             target: rustc.target,
858             crates: rustc.crates,
859         }
860     }
861 }
862
863 impl Step for RustcLink {
864     type Output = ();
865
866     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
867         run.never()
868     }
869
870     /// Same as `std_link`, only for librustc
871     fn run(self, builder: &Builder<'_>) {
872         let compiler = self.compiler;
873         let target_compiler = self.target_compiler;
874         let target = self.target;
875         builder.info(&format!(
876             "Copying stage{} rustc from stage{} ({} -> {} / {})",
877             target_compiler.stage, compiler.stage, &compiler.host, target_compiler.host, target
878         ));
879         add_to_sysroot(
880             builder,
881             &builder.sysroot_libdir(target_compiler, target),
882             &builder.sysroot_libdir(target_compiler, compiler.host),
883             &librustc_stamp(builder, compiler, target),
884         );
885     }
886 }
887
888 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
889 pub struct CodegenBackend {
890     pub target: TargetSelection,
891     pub compiler: Compiler,
892     pub backend: Interned<String>,
893 }
894
895 impl Step for CodegenBackend {
896     type Output = ();
897     const ONLY_HOSTS: bool = true;
898     // Only the backends specified in the `codegen-backends` entry of `config.toml` are built.
899     const DEFAULT: bool = true;
900
901     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
902         run.paths(&["compiler/rustc_codegen_cranelift", "compiler/rustc_codegen_gcc"])
903     }
904
905     fn make_run(run: RunConfig<'_>) {
906         for &backend in &run.builder.config.rust_codegen_backends {
907             if backend == "llvm" {
908                 continue; // Already built as part of rustc
909             }
910
911             run.builder.ensure(CodegenBackend {
912                 target: run.target,
913                 compiler: run.builder.compiler(run.builder.top_stage, run.build_triple()),
914                 backend,
915             });
916         }
917     }
918
919     fn run(self, builder: &Builder<'_>) {
920         let compiler = self.compiler;
921         let target = self.target;
922         let backend = self.backend;
923
924         builder.ensure(Rustc::new(compiler, target));
925
926         if builder.config.keep_stage.contains(&compiler.stage) {
927             builder.info(
928                 "Warning: Using a potentially old codegen backend. \
929                 This may not behave well.",
930             );
931             // Codegen backends are linked separately from this step today, so we don't do
932             // anything here.
933             return;
934         }
935
936         let compiler_to_use = builder.compiler_for(compiler.stage, compiler.host, target);
937         if compiler_to_use != compiler {
938             builder.ensure(CodegenBackend { compiler: compiler_to_use, target, backend });
939             return;
940         }
941
942         let out_dir = builder.cargo_out(compiler, Mode::Codegen, target);
943
944         let mut cargo = builder.cargo(compiler, Mode::Codegen, SourceType::InTree, target, "build");
945         cargo
946             .arg("--manifest-path")
947             .arg(builder.src.join(format!("compiler/rustc_codegen_{}/Cargo.toml", backend)));
948         rustc_cargo_env(builder, &mut cargo, target);
949
950         let tmp_stamp = out_dir.join(".tmp.stamp");
951
952         builder.info(&format!(
953             "Building stage{} codegen backend {} ({} -> {})",
954             compiler.stage, backend, &compiler.host, target
955         ));
956         let files = run_cargo(builder, cargo, vec![], &tmp_stamp, vec![], false);
957         if builder.config.dry_run {
958             return;
959         }
960         let mut files = files.into_iter().filter(|f| {
961             let filename = f.file_name().unwrap().to_str().unwrap();
962             is_dylib(filename) && filename.contains("rustc_codegen_")
963         });
964         let codegen_backend = match files.next() {
965             Some(f) => f,
966             None => panic!("no dylibs built for codegen backend?"),
967         };
968         if let Some(f) = files.next() {
969             panic!(
970                 "codegen backend built two dylibs:\n{}\n{}",
971                 codegen_backend.display(),
972                 f.display()
973             );
974         }
975         let stamp = codegen_backend_stamp(builder, compiler, target, backend);
976         let codegen_backend = codegen_backend.to_str().unwrap();
977         t!(fs::write(&stamp, &codegen_backend));
978     }
979 }
980
981 /// Creates the `codegen-backends` folder for a compiler that's about to be
982 /// assembled as a complete compiler.
983 ///
984 /// This will take the codegen artifacts produced by `compiler` and link them
985 /// into an appropriate location for `target_compiler` to be a functional
986 /// compiler.
987 fn copy_codegen_backends_to_sysroot(
988     builder: &Builder<'_>,
989     compiler: Compiler,
990     target_compiler: Compiler,
991 ) {
992     let target = target_compiler.host;
993
994     // Note that this step is different than all the other `*Link` steps in
995     // that it's not assembling a bunch of libraries but rather is primarily
996     // moving the codegen backend into place. The codegen backend of rustc is
997     // not linked into the main compiler by default but is rather dynamically
998     // selected at runtime for inclusion.
999     //
1000     // Here we're looking for the output dylib of the `CodegenBackend` step and
1001     // we're copying that into the `codegen-backends` folder.
1002     let dst = builder.sysroot_codegen_backends(target_compiler);
1003     t!(fs::create_dir_all(&dst), dst);
1004
1005     if builder.config.dry_run {
1006         return;
1007     }
1008
1009     for backend in builder.config.rust_codegen_backends.iter() {
1010         if backend == "llvm" {
1011             continue; // Already built as part of rustc
1012         }
1013
1014         let stamp = codegen_backend_stamp(builder, compiler, target, *backend);
1015         let dylib = t!(fs::read_to_string(&stamp));
1016         let file = Path::new(&dylib);
1017         let filename = file.file_name().unwrap().to_str().unwrap();
1018         // change `librustc_codegen_cranelift-xxxxxx.so` to
1019         // `librustc_codegen_cranelift-release.so`
1020         let target_filename = {
1021             let dash = filename.find('-').unwrap();
1022             let dot = filename.find('.').unwrap();
1023             format!("{}-{}{}", &filename[..dash], builder.rust_release(), &filename[dot..])
1024         };
1025         builder.copy(&file, &dst.join(target_filename));
1026     }
1027 }
1028
1029 /// Cargo's output path for the standard library in a given stage, compiled
1030 /// by a particular compiler for the specified target.
1031 pub fn libstd_stamp(builder: &Builder<'_>, compiler: Compiler, target: TargetSelection) -> PathBuf {
1032     builder.cargo_out(compiler, Mode::Std, target).join(".libstd.stamp")
1033 }
1034
1035 /// Cargo's output path for librustc in a given stage, compiled by a particular
1036 /// compiler for the specified target.
1037 pub fn librustc_stamp(
1038     builder: &Builder<'_>,
1039     compiler: Compiler,
1040     target: TargetSelection,
1041 ) -> PathBuf {
1042     builder.cargo_out(compiler, Mode::Rustc, target).join(".librustc.stamp")
1043 }
1044
1045 /// Cargo's output path for librustc_codegen_llvm in a given stage, compiled by a particular
1046 /// compiler for the specified target and backend.
1047 fn codegen_backend_stamp(
1048     builder: &Builder<'_>,
1049     compiler: Compiler,
1050     target: TargetSelection,
1051     backend: Interned<String>,
1052 ) -> PathBuf {
1053     builder
1054         .cargo_out(compiler, Mode::Codegen, target)
1055         .join(format!(".librustc_codegen_{}.stamp", backend))
1056 }
1057
1058 pub fn compiler_file(
1059     builder: &Builder<'_>,
1060     compiler: &Path,
1061     target: TargetSelection,
1062     c: CLang,
1063     file: &str,
1064 ) -> PathBuf {
1065     let mut cmd = Command::new(compiler);
1066     cmd.args(builder.cflags(target, GitRepo::Rustc, c));
1067     cmd.arg(format!("-print-file-name={}", file));
1068     let out = output(&mut cmd);
1069     PathBuf::from(out.trim())
1070 }
1071
1072 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1073 pub struct Sysroot {
1074     pub compiler: Compiler,
1075 }
1076
1077 impl Step for Sysroot {
1078     type Output = Interned<PathBuf>;
1079
1080     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1081         run.never()
1082     }
1083
1084     /// Returns the sysroot for the `compiler` specified that *this build system
1085     /// generates*.
1086     ///
1087     /// That is, the sysroot for the stage0 compiler is not what the compiler
1088     /// thinks it is by default, but it's the same as the default for stages
1089     /// 1-3.
1090     fn run(self, builder: &Builder<'_>) -> Interned<PathBuf> {
1091         let compiler = self.compiler;
1092         let sysroot = if compiler.stage == 0 {
1093             builder.out.join(&compiler.host.triple).join("stage0-sysroot")
1094         } else {
1095             builder.out.join(&compiler.host.triple).join(format!("stage{}", compiler.stage))
1096         };
1097         let _ = fs::remove_dir_all(&sysroot);
1098         t!(fs::create_dir_all(&sysroot));
1099
1100         // If we're downloading a compiler from CI, we can use the same compiler for all stages other than 0.
1101         if builder.download_rustc() && compiler.stage != 0 {
1102             assert_eq!(
1103                 builder.config.build, compiler.host,
1104                 "Cross-compiling is not yet supported with `download-rustc`",
1105             );
1106             // Copy the compiler into the correct sysroot.
1107             let ci_rustc_dir =
1108                 builder.config.out.join(&*builder.config.build.triple).join("ci-rustc");
1109             builder.cp_r(&ci_rustc_dir, &sysroot);
1110             return INTERNER.intern_path(sysroot);
1111         }
1112
1113         // Symlink the source root into the same location inside the sysroot,
1114         // where `rust-src` component would go (`$sysroot/lib/rustlib/src/rust`),
1115         // so that any tools relying on `rust-src` also work for local builds,
1116         // and also for translating the virtual `/rustc/$hash` back to the real
1117         // directory (for running tests with `rust.remap-debuginfo = true`).
1118         let sysroot_lib_rustlib_src = sysroot.join("lib/rustlib/src");
1119         t!(fs::create_dir_all(&sysroot_lib_rustlib_src));
1120         let sysroot_lib_rustlib_src_rust = sysroot_lib_rustlib_src.join("rust");
1121         if let Err(e) = symlink_dir(&builder.config, &builder.src, &sysroot_lib_rustlib_src_rust) {
1122             eprintln!(
1123                 "warning: creating symbolic link `{}` to `{}` failed with {}",
1124                 sysroot_lib_rustlib_src_rust.display(),
1125                 builder.src.display(),
1126                 e,
1127             );
1128             if builder.config.rust_remap_debuginfo {
1129                 eprintln!(
1130                     "warning: some `src/test/ui` tests will fail when lacking `{}`",
1131                     sysroot_lib_rustlib_src_rust.display(),
1132                 );
1133             }
1134         }
1135
1136         INTERNER.intern_path(sysroot)
1137     }
1138 }
1139
1140 #[derive(Debug, Copy, PartialOrd, Ord, Clone, PartialEq, Eq, Hash)]
1141 pub struct Assemble {
1142     /// The compiler which we will produce in this step. Assemble itself will
1143     /// take care of ensuring that the necessary prerequisites to do so exist,
1144     /// that is, this target can be a stage2 compiler and Assemble will build
1145     /// previous stages for you.
1146     pub target_compiler: Compiler,
1147 }
1148
1149 impl Step for Assemble {
1150     type Output = Compiler;
1151     const ONLY_HOSTS: bool = true;
1152
1153     fn should_run(run: ShouldRun<'_>) -> ShouldRun<'_> {
1154         run.path("compiler/rustc").path("compiler")
1155     }
1156
1157     fn make_run(run: RunConfig<'_>) {
1158         run.builder.ensure(Assemble {
1159             target_compiler: run.builder.compiler(run.builder.top_stage + 1, run.target),
1160         });
1161     }
1162
1163     /// Prepare a new compiler from the artifacts in `stage`
1164     ///
1165     /// This will assemble a compiler in `build/$host/stage$stage`. The compiler
1166     /// must have been previously produced by the `stage - 1` builder.build
1167     /// compiler.
1168     fn run(self, builder: &Builder<'_>) -> Compiler {
1169         let target_compiler = self.target_compiler;
1170
1171         if target_compiler.stage == 0 {
1172             assert_eq!(
1173                 builder.config.build, target_compiler.host,
1174                 "Cannot obtain compiler for non-native build triple at stage 0"
1175             );
1176             // The stage 0 compiler for the build triple is always pre-built.
1177             return target_compiler;
1178         }
1179
1180         // Get the compiler that we'll use to bootstrap ourselves.
1181         //
1182         // Note that this is where the recursive nature of the bootstrap
1183         // happens, as this will request the previous stage's compiler on
1184         // downwards to stage 0.
1185         //
1186         // Also note that we're building a compiler for the host platform. We
1187         // only assume that we can run `build` artifacts, which means that to
1188         // produce some other architecture compiler we need to start from
1189         // `build` to get there.
1190         //
1191         // FIXME: It may be faster if we build just a stage 1 compiler and then
1192         //        use that to bootstrap this compiler forward.
1193         let build_compiler = builder.compiler(target_compiler.stage - 1, builder.config.build);
1194
1195         // If we're downloading a compiler from CI, we can use the same compiler for all stages other than 0.
1196         if builder.download_rustc() {
1197             builder.ensure(Sysroot { compiler: target_compiler });
1198             return target_compiler;
1199         }
1200
1201         // Build the libraries for this compiler to link to (i.e., the libraries
1202         // it uses at runtime). NOTE: Crates the target compiler compiles don't
1203         // link to these. (FIXME: Is that correct? It seems to be correct most
1204         // of the time but I think we do link to these for stage2/bin compilers
1205         // when not performing a full bootstrap).
1206         builder.ensure(Rustc::new(build_compiler, target_compiler.host));
1207
1208         for &backend in builder.config.rust_codegen_backends.iter() {
1209             if backend == "llvm" {
1210                 continue; // Already built as part of rustc
1211             }
1212
1213             builder.ensure(CodegenBackend {
1214                 compiler: build_compiler,
1215                 target: target_compiler.host,
1216                 backend,
1217             });
1218         }
1219
1220         let lld_install = if builder.config.lld_enabled {
1221             Some(builder.ensure(native::Lld { target: target_compiler.host }))
1222         } else {
1223             None
1224         };
1225
1226         let stage = target_compiler.stage;
1227         let host = target_compiler.host;
1228         builder.info(&format!("Assembling stage{} compiler ({})", stage, host));
1229
1230         // Link in all dylibs to the libdir
1231         let stamp = librustc_stamp(builder, build_compiler, target_compiler.host);
1232         let proc_macros = builder
1233             .read_stamp_file(&stamp)
1234             .into_iter()
1235             .filter_map(|(path, dependency_type)| {
1236                 if dependency_type == DependencyType::Host {
1237                     Some(path.file_name().unwrap().to_owned().into_string().unwrap())
1238                 } else {
1239                     None
1240                 }
1241             })
1242             .collect::<HashSet<_>>();
1243
1244         let sysroot = builder.sysroot(target_compiler);
1245         let rustc_libdir = builder.rustc_libdir(target_compiler);
1246         t!(fs::create_dir_all(&rustc_libdir));
1247         let src_libdir = builder.sysroot_libdir(build_compiler, host);
1248         for f in builder.read_dir(&src_libdir) {
1249             let filename = f.file_name().into_string().unwrap();
1250             if (is_dylib(&filename) || is_debug_info(&filename)) && !proc_macros.contains(&filename)
1251             {
1252                 builder.copy(&f.path(), &rustc_libdir.join(&filename));
1253             }
1254         }
1255
1256         copy_codegen_backends_to_sysroot(builder, build_compiler, target_compiler);
1257
1258         // We prepend this bin directory to the user PATH when linking Rust binaries. To
1259         // avoid shadowing the system LLD we rename the LLD we provide to `rust-lld`.
1260         let libdir = builder.sysroot_libdir(target_compiler, target_compiler.host);
1261         let libdir_bin = libdir.parent().unwrap().join("bin");
1262         t!(fs::create_dir_all(&libdir_bin));
1263         if let Some(lld_install) = lld_install {
1264             let src_exe = exe("lld", target_compiler.host);
1265             let dst_exe = exe("rust-lld", target_compiler.host);
1266             builder.copy(&lld_install.join("bin").join(&src_exe), &libdir_bin.join(&dst_exe));
1267             // for `-Z gcc-ld=lld`
1268             let gcc_ld_dir = libdir_bin.join("gcc-ld");
1269             t!(fs::create_dir(&gcc_ld_dir));
1270             let lld_wrapper_exe = builder.ensure(crate::tool::LldWrapper {
1271                 compiler: build_compiler,
1272                 target: target_compiler.host,
1273             });
1274             builder.copy(&lld_wrapper_exe, &gcc_ld_dir.join(exe("ld", target_compiler.host)));
1275         }
1276
1277         if builder.config.rust_codegen_backends.contains(&INTERNER.intern_str("llvm")) {
1278             let llvm_config_bin = builder.ensure(native::Llvm { target: target_compiler.host });
1279             if !builder.config.dry_run {
1280                 let llvm_bin_dir = output(Command::new(llvm_config_bin).arg("--bindir"));
1281                 let llvm_bin_dir = Path::new(llvm_bin_dir.trim());
1282
1283                 // Since we've already built the LLVM tools, install them to the sysroot.
1284                 // This is the equivalent of installing the `llvm-tools-preview` component via
1285                 // rustup, and lets developers use a locally built toolchain to
1286                 // build projects that expect llvm tools to be present in the sysroot
1287                 // (e.g. the `bootimage` crate).
1288                 for tool in LLVM_TOOLS {
1289                     let tool_exe = exe(tool, target_compiler.host);
1290                     let src_path = llvm_bin_dir.join(&tool_exe);
1291                     // When using `download-ci-llvm`, some of the tools
1292                     // may not exist, so skip trying to copy them.
1293                     if src_path.exists() {
1294                         builder.copy(&src_path, &libdir_bin.join(&tool_exe));
1295                     }
1296                 }
1297             }
1298         }
1299
1300         // Ensure that `libLLVM.so` ends up in the newly build compiler directory,
1301         // so that it can be found when the newly built `rustc` is run.
1302         dist::maybe_install_llvm_runtime(builder, target_compiler.host, &sysroot);
1303         dist::maybe_install_llvm_target(builder, target_compiler.host, &sysroot);
1304
1305         // Link the compiler binary itself into place
1306         let out_dir = builder.cargo_out(build_compiler, Mode::Rustc, host);
1307         let rustc = out_dir.join(exe("rustc-main", host));
1308         let bindir = sysroot.join("bin");
1309         t!(fs::create_dir_all(&bindir));
1310         let compiler = builder.rustc(target_compiler);
1311         builder.copy(&rustc, &compiler);
1312
1313         target_compiler
1314     }
1315 }
1316
1317 /// Link some files into a rustc sysroot.
1318 ///
1319 /// For a particular stage this will link the file listed in `stamp` into the
1320 /// `sysroot_dst` provided.
1321 pub fn add_to_sysroot(
1322     builder: &Builder<'_>,
1323     sysroot_dst: &Path,
1324     sysroot_host_dst: &Path,
1325     stamp: &Path,
1326 ) {
1327     let self_contained_dst = &sysroot_dst.join("self-contained");
1328     t!(fs::create_dir_all(&sysroot_dst));
1329     t!(fs::create_dir_all(&sysroot_host_dst));
1330     t!(fs::create_dir_all(&self_contained_dst));
1331     for (path, dependency_type) in builder.read_stamp_file(stamp) {
1332         let dst = match dependency_type {
1333             DependencyType::Host => sysroot_host_dst,
1334             DependencyType::Target => sysroot_dst,
1335             DependencyType::TargetSelfContained => self_contained_dst,
1336         };
1337         builder.copy(&path, &dst.join(path.file_name().unwrap()));
1338     }
1339 }
1340
1341 pub fn run_cargo(
1342     builder: &Builder<'_>,
1343     cargo: Cargo,
1344     tail_args: Vec<String>,
1345     stamp: &Path,
1346     additional_target_deps: Vec<(PathBuf, DependencyType)>,
1347     is_check: bool,
1348 ) -> Vec<PathBuf> {
1349     if builder.config.dry_run {
1350         return Vec::new();
1351     }
1352
1353     // `target_root_dir` looks like $dir/$target/release
1354     let target_root_dir = stamp.parent().unwrap();
1355     // `target_deps_dir` looks like $dir/$target/release/deps
1356     let target_deps_dir = target_root_dir.join("deps");
1357     // `host_root_dir` looks like $dir/release
1358     let host_root_dir = target_root_dir
1359         .parent()
1360         .unwrap() // chop off `release`
1361         .parent()
1362         .unwrap() // chop off `$target`
1363         .join(target_root_dir.file_name().unwrap());
1364
1365     // Spawn Cargo slurping up its JSON output. We'll start building up the
1366     // `deps` array of all files it generated along with a `toplevel` array of
1367     // files we need to probe for later.
1368     let mut deps = Vec::new();
1369     let mut toplevel = Vec::new();
1370     let ok = stream_cargo(builder, cargo, tail_args, &mut |msg| {
1371         let (filenames, crate_types) = match msg {
1372             CargoMessage::CompilerArtifact {
1373                 filenames,
1374                 target: CargoTarget { crate_types },
1375                 ..
1376             } => (filenames, crate_types),
1377             _ => return,
1378         };
1379         for filename in filenames {
1380             // Skip files like executables
1381             if !(filename.ends_with(".rlib")
1382                 || filename.ends_with(".lib")
1383                 || filename.ends_with(".a")
1384                 || is_debug_info(&filename)
1385                 || is_dylib(&filename)
1386                 || (is_check && filename.ends_with(".rmeta")))
1387             {
1388                 continue;
1389             }
1390
1391             let filename = Path::new(&*filename);
1392
1393             // If this was an output file in the "host dir" we don't actually
1394             // worry about it, it's not relevant for us
1395             if filename.starts_with(&host_root_dir) {
1396                 // Unless it's a proc macro used in the compiler
1397                 if crate_types.iter().any(|t| t == "proc-macro") {
1398                     deps.push((filename.to_path_buf(), DependencyType::Host));
1399                 }
1400                 continue;
1401             }
1402
1403             // If this was output in the `deps` dir then this is a precise file
1404             // name (hash included) so we start tracking it.
1405             if filename.starts_with(&target_deps_dir) {
1406                 deps.push((filename.to_path_buf(), DependencyType::Target));
1407                 continue;
1408             }
1409
1410             // Otherwise this was a "top level artifact" which right now doesn't
1411             // have a hash in the name, but there's a version of this file in
1412             // the `deps` folder which *does* have a hash in the name. That's
1413             // the one we'll want to we'll probe for it later.
1414             //
1415             // We do not use `Path::file_stem` or `Path::extension` here,
1416             // because some generated files may have multiple extensions e.g.
1417             // `std-<hash>.dll.lib` on Windows. The aforementioned methods only
1418             // split the file name by the last extension (`.lib`) while we need
1419             // to split by all extensions (`.dll.lib`).
1420             let expected_len = t!(filename.metadata()).len();
1421             let filename = filename.file_name().unwrap().to_str().unwrap();
1422             let mut parts = filename.splitn(2, '.');
1423             let file_stem = parts.next().unwrap().to_owned();
1424             let extension = parts.next().unwrap().to_owned();
1425
1426             toplevel.push((file_stem, extension, expected_len));
1427         }
1428     });
1429
1430     if !ok {
1431         crate::detail_exit(1);
1432     }
1433
1434     // Ok now we need to actually find all the files listed in `toplevel`. We've
1435     // got a list of prefix/extensions and we basically just need to find the
1436     // most recent file in the `deps` folder corresponding to each one.
1437     let contents = t!(target_deps_dir.read_dir())
1438         .map(|e| t!(e))
1439         .map(|e| (e.path(), e.file_name().into_string().unwrap(), t!(e.metadata())))
1440         .collect::<Vec<_>>();
1441     for (prefix, extension, expected_len) in toplevel {
1442         let candidates = contents.iter().filter(|&&(_, ref filename, ref meta)| {
1443             meta.len() == expected_len
1444                 && filename
1445                     .strip_prefix(&prefix[..])
1446                     .map(|s| s.starts_with('-') && s.ends_with(&extension[..]))
1447                     .unwrap_or(false)
1448         });
1449         let max = candidates.max_by_key(|&&(_, _, ref metadata)| {
1450             metadata.modified().expect("mtime should be available on all relevant OSes")
1451         });
1452         let path_to_add = match max {
1453             Some(triple) => triple.0.to_str().unwrap(),
1454             None => panic!("no output generated for {:?} {:?}", prefix, extension),
1455         };
1456         if is_dylib(path_to_add) {
1457             let candidate = format!("{}.lib", path_to_add);
1458             let candidate = PathBuf::from(candidate);
1459             if candidate.exists() {
1460                 deps.push((candidate, DependencyType::Target));
1461             }
1462         }
1463         deps.push((path_to_add.into(), DependencyType::Target));
1464     }
1465
1466     deps.extend(additional_target_deps);
1467     deps.sort();
1468     let mut new_contents = Vec::new();
1469     for (dep, dependency_type) in deps.iter() {
1470         new_contents.extend(match *dependency_type {
1471             DependencyType::Host => b"h",
1472             DependencyType::Target => b"t",
1473             DependencyType::TargetSelfContained => b"s",
1474         });
1475         new_contents.extend(dep.to_str().unwrap().as_bytes());
1476         new_contents.extend(b"\0");
1477     }
1478     t!(fs::write(&stamp, &new_contents));
1479     deps.into_iter().map(|(d, _)| d).collect()
1480 }
1481
1482 pub fn stream_cargo(
1483     builder: &Builder<'_>,
1484     cargo: Cargo,
1485     tail_args: Vec<String>,
1486     cb: &mut dyn FnMut(CargoMessage<'_>),
1487 ) -> bool {
1488     let mut cargo = Command::from(cargo);
1489     if builder.config.dry_run {
1490         return true;
1491     }
1492     // Instruct Cargo to give us json messages on stdout, critically leaving
1493     // stderr as piped so we can get those pretty colors.
1494     let mut message_format = if builder.config.json_output {
1495         String::from("json")
1496     } else {
1497         String::from("json-render-diagnostics")
1498     };
1499     if let Some(s) = &builder.config.rustc_error_format {
1500         message_format.push_str(",json-diagnostic-");
1501         message_format.push_str(s);
1502     }
1503     cargo.arg("--message-format").arg(message_format).stdout(Stdio::piped());
1504
1505     for arg in tail_args {
1506         cargo.arg(arg);
1507     }
1508
1509     builder.verbose(&format!("running: {:?}", cargo));
1510     let mut child = match cargo.spawn() {
1511         Ok(child) => child,
1512         Err(e) => panic!("failed to execute command: {:?}\nerror: {}", cargo, e),
1513     };
1514
1515     // Spawn Cargo slurping up its JSON output. We'll start building up the
1516     // `deps` array of all files it generated along with a `toplevel` array of
1517     // files we need to probe for later.
1518     let stdout = BufReader::new(child.stdout.take().unwrap());
1519     for line in stdout.lines() {
1520         let line = t!(line);
1521         match serde_json::from_str::<CargoMessage<'_>>(&line) {
1522             Ok(msg) => {
1523                 if builder.config.json_output {
1524                     // Forward JSON to stdout.
1525                     println!("{}", line);
1526                 }
1527                 cb(msg)
1528             }
1529             // If this was informational, just print it out and continue
1530             Err(_) => println!("{}", line),
1531         }
1532     }
1533
1534     // Make sure Cargo actually succeeded after we read all of its stdout.
1535     let status = t!(child.wait());
1536     if builder.is_verbose() && !status.success() {
1537         eprintln!(
1538             "command did not execute successfully: {:?}\n\
1539                   expected success, got: {}",
1540             cargo, status
1541         );
1542     }
1543     status.success()
1544 }
1545
1546 #[derive(Deserialize)]
1547 pub struct CargoTarget<'a> {
1548     crate_types: Vec<Cow<'a, str>>,
1549 }
1550
1551 #[derive(Deserialize)]
1552 #[serde(tag = "reason", rename_all = "kebab-case")]
1553 pub enum CargoMessage<'a> {
1554     CompilerArtifact {
1555         package_id: Cow<'a, str>,
1556         features: Vec<Cow<'a, str>>,
1557         filenames: Vec<Cow<'a, str>>,
1558         target: CargoTarget<'a>,
1559     },
1560     BuildScriptExecuted {
1561         package_id: Cow<'a, str>,
1562     },
1563     BuildFinished {
1564         success: bool,
1565     },
1566 }