]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/lib.rs
Rollup merge of #53110 - Xanewok:save-analysis-remap-path, r=nrc
[rust.git] / src / bootstrap / lib.rs
1 // Copyright 2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Implementation of rustbuild, the Rust build system.
12 //!
13 //! This module, and its descendants, are the implementation of the Rust build
14 //! system. Most of this build system is backed by Cargo but the outer layer
15 //! here serves as the ability to orchestrate calling Cargo, sequencing Cargo
16 //! builds, building artifacts like LLVM, etc. The goals of rustbuild are:
17 //!
18 //! * To be an easily understandable, easily extensible, and maintainable build
19 //!   system.
20 //! * Leverage standard tools in the Rust ecosystem to build the compiler, aka
21 //!   crates.io and Cargo.
22 //! * A standard interface to build across all platforms, including MSVC
23 //!
24 //! ## Architecture
25 //!
26 //! The build system defers most of the complicated logic managing invocations
27 //! of rustc and rustdoc to Cargo itself. However, moving through various stages
28 //! and copying artifacts is still necessary for it to do. Each time rustbuild
29 //! is invoked, it will iterate through the list of predefined steps and execute
30 //! each serially in turn if it matches the paths passed or is a default rule.
31 //! For each step rustbuild relies on the step internally being incremental and
32 //! parallel. Note, though, that the `-j` parameter to rustbuild gets forwarded
33 //! to appropriate test harnesses and such.
34 //!
35 //! Most of the "meaty" steps that matter are backed by Cargo, which does indeed
36 //! have its own parallelism and incremental management. Later steps, like
37 //! tests, aren't incremental and simply run the entire suite currently.
38 //! However, compiletest itself tries to avoid running tests when the artifacts
39 //! that are involved (mainly the compiler) haven't changed.
40 //!
41 //! When you execute `x.py build`, the steps which are executed are:
42 //!
43 //! * First, the python script is run. This will automatically download the
44 //!   stage0 rustc and cargo according to `src/stage0.txt`, or use the cached
45 //!   versions if they're available. These are then used to compile rustbuild
46 //!   itself (using Cargo). Finally, control is then transferred to rustbuild.
47 //!
48 //! * Rustbuild takes over, performs sanity checks, probes the environment,
49 //!   reads configuration, and starts executing steps as it reads the command
50 //!   line arguments (paths) or going through the default rules.
51 //!
52 //!   The build output will be something like the following:
53 //!
54 //!   Building stage0 std artifacts
55 //!   Copying stage0 std
56 //!   Building stage0 test artifacts
57 //!   Copying stage0 test
58 //!   Building stage0 compiler artifacts
59 //!   Copying stage0 rustc
60 //!   Assembling stage1 compiler
61 //!   Building stage1 std artifacts
62 //!   Copying stage1 std
63 //!   Building stage1 test artifacts
64 //!   Copying stage1 test
65 //!   Building stage1 compiler artifacts
66 //!   Copying stage1 rustc
67 //!   Assembling stage2 compiler
68 //!   Uplifting stage1 std
69 //!   Uplifting stage1 test
70 //!   Uplifting stage1 rustc
71 //!
72 //! Let's disect that a little:
73 //!
74 //! ## Building stage0 {std,test,compiler} artifacts
75 //!
76 //! These steps use the provided (downloaded, usually) compiler to compile the
77 //! local Rust source into libraries we can use.
78 //!
79 //! ## Copying stage0 {std,test,rustc}
80 //!
81 //! This copies the build output from Cargo into
82 //! `build/$HOST/stage0-sysroot/lib/rustlib/$ARCH/lib`. FIXME: This step's
83 //! documentation should be expanded -- the information already here may be
84 //! incorrect.
85 //!
86 //! ## Assembling stage1 compiler
87 //!
88 //! This copies the libraries we built in "building stage0 ... artifacts" into
89 //! the stage1 compiler's lib directory. These are the host libraries that the
90 //! compiler itself uses to run. These aren't actually used by artifacts the new
91 //! compiler generates. This step also copies the rustc and rustdoc binaries we
92 //! generated into build/$HOST/stage/bin.
93 //!
94 //! The stage1/bin/rustc is a fully functional compiler, but it doesn't yet have
95 //! any libraries to link built binaries or libraries to. The next 3 steps will
96 //! provide those libraries for it; they are mostly equivalent to constructing
97 //! the stage1/bin compiler so we don't go through them individually.
98 //!
99 //! ## Uplifting stage1 {std,test,rustc}
100 //!
101 //! This step copies the libraries from the stage1 compiler sysroot into the
102 //! stage2 compiler. This is done to avoid rebuilding the compiler; libraries
103 //! we'd build in this step should be identical (in function, if not necessarily
104 //! identical on disk) so there's no need to recompile the compiler again. Note
105 //! that if you want to, you can enable the full-bootstrap option to change this
106 //! behavior.
107 //!
108 //! Each step is driven by a separate Cargo project and rustbuild orchestrates
109 //! copying files between steps and otherwise preparing for Cargo to run.
110 //!
111 //! ## Further information
112 //!
113 //! More documentation can be found in each respective module below, and you can
114 //! also check out the `src/bootstrap/README.md` file for more information.
115
116 #![deny(bare_trait_objects)]
117 #![deny(warnings)]
118 #![feature(core_intrinsics)]
119 #![feature(drain_filter)]
120
121 #[macro_use]
122 extern crate build_helper;
123 #[macro_use]
124 extern crate serde_derive;
125 #[macro_use]
126 extern crate lazy_static;
127 extern crate serde_json;
128 extern crate cmake;
129 extern crate filetime;
130 extern crate cc;
131 extern crate getopts;
132 extern crate num_cpus;
133 extern crate toml;
134 extern crate time;
135 extern crate petgraph;
136
137 #[cfg(test)]
138 #[macro_use]
139 extern crate pretty_assertions;
140
141 #[cfg(unix)]
142 extern crate libc;
143
144 use std::cell::{RefCell, Cell};
145 use std::collections::{HashSet, HashMap};
146 use std::env;
147 use std::fs::{self, OpenOptions, File};
148 use std::io::{self, Seek, SeekFrom, Write, Read};
149 use std::path::{PathBuf, Path};
150 use std::process::{self, Command};
151 use std::slice;
152 use std::str;
153
154 use build_helper::{run_silent, run_suppressed, try_run_silent, try_run_suppressed, output, mtime};
155 use filetime::FileTime;
156
157 use util::{exe, libdir, OutputFolder, CiEnv};
158
159 mod cc_detect;
160 mod channel;
161 mod check;
162 mod test;
163 mod clean;
164 mod compile;
165 mod metadata;
166 mod config;
167 mod dist;
168 mod doc;
169 mod flags;
170 mod install;
171 mod native;
172 mod sanity;
173 pub mod util;
174 mod builder;
175 mod cache;
176 mod tool;
177 mod toolstate;
178
179 #[cfg(windows)]
180 mod job;
181
182 #[cfg(all(unix, not(target_os = "haiku")))]
183 mod job {
184     use libc;
185
186     pub unsafe fn setup(build: &mut ::Build) {
187         if build.config.low_priority {
188             libc::setpriority(libc::PRIO_PGRP as _, 0, 10);
189         }
190     }
191 }
192
193 #[cfg(any(target_os = "haiku", not(any(unix, windows))))]
194 mod job {
195     pub unsafe fn setup(_build: &mut ::Build) {
196     }
197 }
198
199 pub use config::Config;
200 use flags::Subcommand;
201 use cache::{Interned, INTERNER};
202 use toolstate::ToolState;
203
204 const LLVM_TOOLS: &[&str] = &[
205     "llvm-nm", // used to inspect binaries; it shows symbol names, their sizes and visibility
206     "llvm-objcopy", // used to transform ELFs into binary format which flashing tools consume
207     "llvm-objdump", // used to disassemble programs
208     "llvm-profdata", // used to inspect and merge files generated by profiles
209     "llvm-size", // used to prints the size of the linker sections of a program
210     "llvm-strip", // used to discard symbols from binary files to reduce their size
211 ];
212
213 /// A structure representing a Rust compiler.
214 ///
215 /// Each compiler has a `stage` that it is associated with and a `host` that
216 /// corresponds to the platform the compiler runs on. This structure is used as
217 /// a parameter to many methods below.
218 #[derive(Eq, PartialOrd, Ord, PartialEq, Clone, Copy, Hash, Debug)]
219 pub struct Compiler {
220     stage: u32,
221     host: Interned<String>,
222 }
223
224 #[derive(PartialEq, Eq, Copy, Clone, Debug)]
225 pub enum DocTests {
226     // Default, run normal tests and doc tests.
227     Yes,
228     // Do not run any doc tests.
229     No,
230     // Only run doc tests.
231     Only,
232 }
233
234 /// Global configuration for the build system.
235 ///
236 /// This structure transitively contains all configuration for the build system.
237 /// All filesystem-encoded configuration is in `config`, all flags are in
238 /// `flags`, and then parsed or probed information is listed in the keys below.
239 ///
240 /// This structure is a parameter of almost all methods in the build system,
241 /// although most functions are implemented as free functions rather than
242 /// methods specifically on this structure itself (to make it easier to
243 /// organize).
244 pub struct Build {
245     // User-specified configuration via config.toml
246     config: Config,
247
248     // Derived properties from the above two configurations
249     src: PathBuf,
250     out: PathBuf,
251     rust_info: channel::GitInfo,
252     cargo_info: channel::GitInfo,
253     rls_info: channel::GitInfo,
254     clippy_info: channel::GitInfo,
255     rustfmt_info: channel::GitInfo,
256     local_rebuild: bool,
257     fail_fast: bool,
258     doc_tests: DocTests,
259     verbosity: usize,
260
261     // Targets for which to build.
262     build: Interned<String>,
263     hosts: Vec<Interned<String>>,
264     targets: Vec<Interned<String>>,
265
266     // Stage 0 (downloaded) compiler and cargo or their local rust equivalents.
267     initial_rustc: PathBuf,
268     initial_cargo: PathBuf,
269
270     // Probed tools at runtime
271     lldb_version: Option<String>,
272     lldb_python_dir: Option<String>,
273
274     // Runtime state filled in later on
275     // C/C++ compilers and archiver for all targets
276     cc: HashMap<Interned<String>, cc::Tool>,
277     cxx: HashMap<Interned<String>, cc::Tool>,
278     ar: HashMap<Interned<String>, PathBuf>,
279     // Misc
280     crates: HashMap<Interned<String>, Crate>,
281     is_sudo: bool,
282     ci_env: CiEnv,
283     delayed_failures: RefCell<Vec<String>>,
284     prerelease_version: Cell<Option<u32>>,
285     tool_artifacts: RefCell<HashMap<
286         Interned<String>,
287         HashMap<String, (&'static str, PathBuf, Vec<String>)>
288     >>,
289 }
290
291 #[derive(Debug)]
292 struct Crate {
293     name: Interned<String>,
294     version: String,
295     deps: HashSet<Interned<String>>,
296     id: String,
297     path: PathBuf,
298     doc_step: String,
299     build_step: String,
300     test_step: String,
301     bench_step: String,
302 }
303
304 impl Crate {
305     fn is_local(&self, build: &Build) -> bool {
306         self.path.starts_with(&build.config.src) &&
307         !self.path.to_string_lossy().ends_with("_shim")
308     }
309
310     fn local_path(&self, build: &Build) -> PathBuf {
311         assert!(self.is_local(build));
312         self.path.strip_prefix(&build.config.src).unwrap().into()
313     }
314 }
315
316 /// The various "modes" of invoking Cargo.
317 ///
318 /// These entries currently correspond to the various output directories of the
319 /// build system, with each mod generating output in a different directory.
320 #[derive(Debug, Hash, Clone, Copy, PartialEq, Eq, PartialOrd, Ord)]
321 pub enum Mode {
322     /// Build the standard library, placing output in the "stageN-std" directory.
323     Std,
324
325     /// Build libtest, placing output in the "stageN-test" directory.
326     Test,
327
328     /// Build librustc, and compiler libraries, placing output in the "stageN-rustc" directory.
329     Rustc,
330
331     /// Build codegen libraries, placing output in the "stageN-codegen" directory
332     Codegen,
333
334     /// Build some tools, placing output in the "stageN-tools" directory. The
335     /// "other" here is for miscellaneous sets of tools that are built using the
336     /// bootstrap compiler in its entirety (target libraries and all).
337     /// Typically these tools compile with stable Rust.
338     ToolBootstrap,
339
340     /// Compile a tool which uses all libraries we compile (up to rustc).
341     /// Doesn't use the stage0 compiler libraries like "other", and includes
342     /// tools like rustdoc, cargo, rls, etc.
343     ToolStd,
344     ToolRustc,
345 }
346
347 impl Mode {
348     pub fn is_tool(&self) -> bool {
349         match self {
350             Mode::ToolBootstrap | Mode::ToolRustc | Mode::ToolStd => true,
351             _ => false
352         }
353     }
354 }
355
356 impl Build {
357     /// Creates a new set of build configuration from the `flags` on the command
358     /// line and the filesystem `config`.
359     ///
360     /// By default all build output will be placed in the current directory.
361     pub fn new(config: Config) -> Build {
362         let src = config.src.clone();
363         let out = config.out.clone();
364
365         let is_sudo = match env::var_os("SUDO_USER") {
366             Some(sudo_user) => {
367                 match env::var_os("USER") {
368                     Some(user) => user != sudo_user,
369                     None => false,
370                 }
371             }
372             None => false,
373         };
374         let rust_info = channel::GitInfo::new(&config, &src);
375         let cargo_info = channel::GitInfo::new(&config, &src.join("src/tools/cargo"));
376         let rls_info = channel::GitInfo::new(&config, &src.join("src/tools/rls"));
377         let clippy_info = channel::GitInfo::new(&config, &src.join("src/tools/clippy"));
378         let rustfmt_info = channel::GitInfo::new(&config, &src.join("src/tools/rustfmt"));
379
380         let mut build = Build {
381             initial_rustc: config.initial_rustc.clone(),
382             initial_cargo: config.initial_cargo.clone(),
383             local_rebuild: config.local_rebuild,
384             fail_fast: config.cmd.fail_fast(),
385             doc_tests: config.cmd.doc_tests(),
386             verbosity: config.verbose,
387
388             build: config.build,
389             hosts: config.hosts.clone(),
390             targets: config.targets.clone(),
391
392             config,
393             src,
394             out,
395
396             rust_info,
397             cargo_info,
398             rls_info,
399             clippy_info,
400             rustfmt_info,
401             cc: HashMap::new(),
402             cxx: HashMap::new(),
403             ar: HashMap::new(),
404             crates: HashMap::new(),
405             lldb_version: None,
406             lldb_python_dir: None,
407             is_sudo,
408             ci_env: CiEnv::current(),
409             delayed_failures: RefCell::new(Vec::new()),
410             prerelease_version: Cell::new(None),
411             tool_artifacts: Default::default(),
412         };
413
414         build.verbose("finding compilers");
415         cc_detect::find(&mut build);
416         build.verbose("running sanity check");
417         sanity::check(&mut build);
418
419         // If local-rust is the same major.minor as the current version, then force a
420         // local-rebuild
421         let local_version_verbose = output(
422             Command::new(&build.initial_rustc).arg("--version").arg("--verbose"));
423         let local_release = local_version_verbose
424             .lines().filter(|x| x.starts_with("release:"))
425             .next().unwrap().trim_left_matches("release:").trim();
426         let my_version = channel::CFG_RELEASE_NUM;
427         if local_release.split('.').take(2).eq(my_version.split('.').take(2)) {
428             build.verbose(&format!("auto-detected local-rebuild {}", local_release));
429             build.local_rebuild = true;
430         }
431
432         build.verbose("learning about cargo");
433         metadata::build(&mut build);
434
435         build
436     }
437
438     pub fn build_triple(&self) -> &[Interned<String>] {
439         unsafe {
440             slice::from_raw_parts(&self.build, 1)
441         }
442     }
443
444     /// Executes the entire build, as configured by the flags and configuration.
445     pub fn build(&mut self) {
446         unsafe {
447             job::setup(self);
448         }
449
450         if let Subcommand::Clean { all } = self.config.cmd {
451             return clean::clean(self, all);
452         }
453
454         {
455             let builder = builder::Builder::new(&self);
456             if let Some(path) = builder.paths.get(0) {
457                 if path == Path::new("nonexistent/path/to/trigger/cargo/metadata") {
458                     return;
459                 }
460             }
461         }
462
463         if !self.config.dry_run {
464             {
465                 self.config.dry_run = true;
466                 let builder = builder::Builder::new(&self);
467                 builder.execute_cli();
468             }
469             self.config.dry_run = false;
470             let builder = builder::Builder::new(&self);
471             builder.execute_cli();
472         } else {
473             let builder = builder::Builder::new(&self);
474             let _ = builder.execute_cli();
475         }
476
477         // Check for postponed failures from `test --no-fail-fast`.
478         let failures = self.delayed_failures.borrow();
479         if failures.len() > 0 {
480             println!("\n{} command(s) did not execute successfully:\n", failures.len());
481             for failure in failures.iter() {
482                 println!("  - {}\n", failure);
483             }
484             process::exit(1);
485         }
486     }
487
488     /// Clear out `dir` if `input` is newer.
489     ///
490     /// After this executes, it will also ensure that `dir` exists.
491     fn clear_if_dirty(&self, dir: &Path, input: &Path) -> bool {
492         let stamp = dir.join(".stamp");
493         let mut cleared = false;
494         if mtime(&stamp) < mtime(input) {
495             self.verbose(&format!("Dirty - {}", dir.display()));
496             let _ = fs::remove_dir_all(dir);
497             cleared = true;
498         } else if stamp.exists() {
499             return cleared;
500         }
501         t!(fs::create_dir_all(dir));
502         t!(File::create(stamp));
503         cleared
504     }
505
506     /// Get the space-separated set of activated features for the standard
507     /// library.
508     fn std_features(&self) -> String {
509         let mut features = "panic-unwind".to_string();
510
511         if self.config.debug_jemalloc {
512             features.push_str(" debug-jemalloc");
513         }
514         if self.config.use_jemalloc {
515             features.push_str(" jemalloc");
516         }
517         if self.config.backtrace {
518             features.push_str(" backtrace");
519         }
520         if self.config.profiler {
521             features.push_str(" profiler");
522         }
523         if self.config.wasm_syscall {
524             features.push_str(" wasm_syscall");
525         }
526         features
527     }
528
529     /// Get the space-separated set of activated features for the compiler.
530     fn rustc_features(&self) -> String {
531         let mut features = String::new();
532         if self.config.use_jemalloc {
533             features.push_str(" jemalloc");
534         }
535         features
536     }
537
538     /// Component directory that Cargo will produce output into (e.g.
539     /// release/debug)
540     fn cargo_dir(&self) -> &'static str {
541         if self.config.rust_optimize {"release"} else {"debug"}
542     }
543
544     fn tools_dir(&self, compiler: Compiler) -> PathBuf {
545         let out = self.out.join(&*compiler.host).join(format!("stage{}-tools-bin", compiler.stage));
546         t!(fs::create_dir_all(&out));
547         out
548     }
549
550     /// Returns the root directory for all output generated in a particular
551     /// stage when running with a particular host compiler.
552     ///
553     /// The mode indicates what the root directory is for.
554     fn stage_out(&self, compiler: Compiler, mode: Mode) -> PathBuf {
555         let suffix = match mode {
556             Mode::Std => "-std",
557             Mode::Test => "-test",
558             Mode::Rustc => "-rustc",
559             Mode::Codegen => "-codegen",
560             Mode::ToolBootstrap => "-bootstrap-tools",
561             Mode::ToolStd => "-tools",
562             Mode::ToolRustc => "-tools",
563         };
564         self.out.join(&*compiler.host)
565                 .join(format!("stage{}{}", compiler.stage, suffix))
566     }
567
568     /// Returns the root output directory for all Cargo output in a given stage,
569     /// running a particular compiler, whether or not we're building the
570     /// standard library, and targeting the specified architecture.
571     fn cargo_out(&self,
572                  compiler: Compiler,
573                  mode: Mode,
574                  target: Interned<String>) -> PathBuf {
575         self.stage_out(compiler, mode).join(&*target).join(self.cargo_dir())
576     }
577
578     /// Root output directory for LLVM compiled for `target`
579     ///
580     /// Note that if LLVM is configured externally then the directory returned
581     /// will likely be empty.
582     fn llvm_out(&self, target: Interned<String>) -> PathBuf {
583         self.out.join(&*target).join("llvm")
584     }
585
586     fn emscripten_llvm_out(&self, target: Interned<String>) -> PathBuf {
587         self.out.join(&*target).join("llvm-emscripten")
588     }
589
590     fn lld_out(&self, target: Interned<String>) -> PathBuf {
591         self.out.join(&*target).join("lld")
592     }
593
594     /// Output directory for all documentation for a target
595     fn doc_out(&self, target: Interned<String>) -> PathBuf {
596         self.out.join(&*target).join("doc")
597     }
598
599     /// Output directory for all documentation for a target
600     fn compiler_doc_out(&self, target: Interned<String>) -> PathBuf {
601         self.out.join(&*target).join("compiler-doc")
602     }
603
604     /// Output directory for some generated md crate documentation for a target (temporary)
605     fn md_doc_out(&self, target: Interned<String>) -> Interned<PathBuf> {
606         INTERNER.intern_path(self.out.join(&*target).join("md-doc"))
607     }
608
609     /// Output directory for all crate documentation for a target (temporary)
610     ///
611     /// The artifacts here are then copied into `doc_out` above.
612     fn crate_doc_out(&self, target: Interned<String>) -> PathBuf {
613         self.out.join(&*target).join("crate-docs")
614     }
615
616     /// Returns true if no custom `llvm-config` is set for the specified target.
617     ///
618     /// If no custom `llvm-config` was specified then Rust's llvm will be used.
619     fn is_rust_llvm(&self, target: Interned<String>) -> bool {
620         match self.config.target_config.get(&target) {
621             Some(ref c) => c.llvm_config.is_none(),
622             None => true
623         }
624     }
625
626     /// Returns the path to `FileCheck` binary for the specified target
627     fn llvm_filecheck(&self, target: Interned<String>) -> PathBuf {
628         let target_config = self.config.target_config.get(&target);
629         if let Some(s) = target_config.and_then(|c| c.llvm_config.as_ref()) {
630             let llvm_bindir = output(Command::new(s).arg("--bindir"));
631             Path::new(llvm_bindir.trim()).join(exe("FileCheck", &*target))
632         } else {
633             let base = self.llvm_out(self.config.build).join("build");
634             let base = if !self.config.ninja && self.config.build.contains("msvc") {
635                 if self.config.llvm_optimize {
636                     if self.config.llvm_release_debuginfo {
637                         base.join("RelWithDebInfo")
638                     } else {
639                         base.join("Release")
640                     }
641                 } else {
642                     base.join("Debug")
643                 }
644             } else {
645                 base
646             };
647             base.join("bin").join(exe("FileCheck", &*target))
648         }
649     }
650
651     /// Directory for libraries built from C/C++ code and shared between stages.
652     fn native_dir(&self, target: Interned<String>) -> PathBuf {
653         self.out.join(&*target).join("native")
654     }
655
656     /// Root output directory for rust_test_helpers library compiled for
657     /// `target`
658     fn test_helpers_out(&self, target: Interned<String>) -> PathBuf {
659         self.native_dir(target).join("rust-test-helpers")
660     }
661
662     /// Adds the `RUST_TEST_THREADS` env var if necessary
663     fn add_rust_test_threads(&self, cmd: &mut Command) {
664         if env::var_os("RUST_TEST_THREADS").is_none() {
665             cmd.env("RUST_TEST_THREADS", self.jobs().to_string());
666         }
667     }
668
669     /// Returns the libdir of the snapshot compiler.
670     fn rustc_snapshot_libdir(&self) -> PathBuf {
671         self.rustc_snapshot_sysroot().join(libdir(&self.config.build))
672     }
673
674     /// Returns the sysroot of the snapshot compiler.
675     fn rustc_snapshot_sysroot(&self) -> &Path {
676         self.initial_rustc.parent().unwrap().parent().unwrap()
677     }
678
679     /// Runs a command, printing out nice contextual information if it fails.
680     fn run(&self, cmd: &mut Command) {
681         if self.config.dry_run { return; }
682         self.verbose(&format!("running: {:?}", cmd));
683         run_silent(cmd)
684     }
685
686     /// Runs a command, printing out nice contextual information if it fails.
687     fn run_quiet(&self, cmd: &mut Command) {
688         if self.config.dry_run { return; }
689         self.verbose(&format!("running: {:?}", cmd));
690         run_suppressed(cmd)
691     }
692
693     /// Runs a command, printing out nice contextual information if it fails.
694     /// Exits if the command failed to execute at all, otherwise returns its
695     /// `status.success()`.
696     fn try_run(&self, cmd: &mut Command) -> bool {
697         if self.config.dry_run { return true; }
698         self.verbose(&format!("running: {:?}", cmd));
699         try_run_silent(cmd)
700     }
701
702     /// Runs a command, printing out nice contextual information if it fails.
703     /// Exits if the command failed to execute at all, otherwise returns its
704     /// `status.success()`.
705     fn try_run_quiet(&self, cmd: &mut Command) -> bool {
706         if self.config.dry_run { return true; }
707         self.verbose(&format!("running: {:?}", cmd));
708         try_run_suppressed(cmd)
709     }
710
711     pub fn is_verbose(&self) -> bool {
712         self.verbosity > 0
713     }
714
715     /// Prints a message if this build is configured in verbose mode.
716     fn verbose(&self, msg: &str) {
717         if self.is_verbose() {
718             println!("{}", msg);
719         }
720     }
721
722     fn info(&self, msg: &str) {
723         if self.config.dry_run { return; }
724         println!("{}", msg);
725     }
726
727     /// Returns the number of parallel jobs that have been configured for this
728     /// build.
729     fn jobs(&self) -> u32 {
730         self.config.jobs.unwrap_or_else(|| num_cpus::get() as u32)
731     }
732
733     /// Returns the path to the C compiler for the target specified.
734     fn cc(&self, target: Interned<String>) -> &Path {
735         self.cc[&target].path()
736     }
737
738     /// Returns a list of flags to pass to the C compiler for the target
739     /// specified.
740     fn cflags(&self, target: Interned<String>) -> Vec<String> {
741         // Filter out -O and /O (the optimization flags) that we picked up from
742         // cc-rs because the build scripts will determine that for themselves.
743         let mut base = self.cc[&target].args().iter()
744                            .map(|s| s.to_string_lossy().into_owned())
745                            .filter(|s| !s.starts_with("-O") && !s.starts_with("/O"))
746                            .collect::<Vec<_>>();
747
748         // If we're compiling on macOS then we add a few unconditional flags
749         // indicating that we want libc++ (more filled out than libstdc++) and
750         // we want to compile for 10.7. This way we can ensure that
751         // LLVM/jemalloc/etc are all properly compiled.
752         if target.contains("apple-darwin") {
753             base.push("-stdlib=libc++".into());
754         }
755
756         // Work around an apparently bad MinGW / GCC optimization,
757         // See: http://lists.llvm.org/pipermail/cfe-dev/2016-December/051980.html
758         // See: https://gcc.gnu.org/bugzilla/show_bug.cgi?id=78936
759         if &*target == "i686-pc-windows-gnu" {
760             base.push("-fno-omit-frame-pointer".into());
761         }
762         base
763     }
764
765     /// Returns the path to the `ar` archive utility for the target specified.
766     fn ar(&self, target: Interned<String>) -> Option<&Path> {
767         self.ar.get(&target).map(|p| &**p)
768     }
769
770     /// Returns the path to the C++ compiler for the target specified.
771     fn cxx(&self, target: Interned<String>) -> Result<&Path, String> {
772         match self.cxx.get(&target) {
773             Some(p) => Ok(p.path()),
774             None => Err(format!(
775                     "target `{}` is not configured as a host, only as a target",
776                     target))
777         }
778     }
779
780     /// Returns the path to the linker for the given target if it needs to be overridden.
781     fn linker(&self, target: Interned<String>) -> Option<&Path> {
782         if let Some(linker) = self.config.target_config.get(&target)
783                                                        .and_then(|c| c.linker.as_ref()) {
784             Some(linker)
785         } else if target != self.config.build &&
786                   !target.contains("msvc") &&
787                   !target.contains("emscripten") &&
788                   !target.contains("wasm32") {
789             Some(self.cc(target))
790         } else {
791             None
792         }
793     }
794
795     /// Returns if this target should statically link the C runtime, if specified
796     fn crt_static(&self, target: Interned<String>) -> Option<bool> {
797         if target.contains("pc-windows-msvc") {
798             Some(true)
799         } else {
800             self.config.target_config.get(&target)
801                 .and_then(|t| t.crt_static)
802         }
803     }
804
805     /// Returns the "musl root" for this `target`, if defined
806     fn musl_root(&self, target: Interned<String>) -> Option<&Path> {
807         self.config.target_config.get(&target)
808             .and_then(|t| t.musl_root.as_ref())
809             .or(self.config.musl_root.as_ref())
810             .map(|p| &**p)
811     }
812
813     /// Returns true if this is a no-std `target`, if defined
814     fn no_std(&self, target: Interned<String>) -> Option<bool> {
815         self.config.target_config.get(&target)
816             .map(|t| t.no_std)
817     }
818
819     /// Returns whether the target will be tested using the `remote-test-client`
820     /// and `remote-test-server` binaries.
821     fn remote_tested(&self, target: Interned<String>) -> bool {
822         self.qemu_rootfs(target).is_some() || target.contains("android") ||
823         env::var_os("TEST_DEVICE_ADDR").is_some()
824     }
825
826     /// Returns the root of the "rootfs" image that this target will be using,
827     /// if one was configured.
828     ///
829     /// If `Some` is returned then that means that tests for this target are
830     /// emulated with QEMU and binaries will need to be shipped to the emulator.
831     fn qemu_rootfs(&self, target: Interned<String>) -> Option<&Path> {
832         self.config.target_config.get(&target)
833             .and_then(|t| t.qemu_rootfs.as_ref())
834             .map(|p| &**p)
835     }
836
837     /// Path to the python interpreter to use
838     fn python(&self) -> &Path {
839         self.config.python.as_ref().unwrap()
840     }
841
842     /// Temporary directory that extended error information is emitted to.
843     fn extended_error_dir(&self) -> PathBuf {
844         self.out.join("tmp/extended-error-metadata")
845     }
846
847     /// Tests whether the `compiler` compiling for `target` should be forced to
848     /// use a stage1 compiler instead.
849     ///
850     /// Currently, by default, the build system does not perform a "full
851     /// bootstrap" by default where we compile the compiler three times.
852     /// Instead, we compile the compiler two times. The final stage (stage2)
853     /// just copies the libraries from the previous stage, which is what this
854     /// method detects.
855     ///
856     /// Here we return `true` if:
857     ///
858     /// * The build isn't performing a full bootstrap
859     /// * The `compiler` is in the final stage, 2
860     /// * We're not cross-compiling, so the artifacts are already available in
861     ///   stage1
862     ///
863     /// When all of these conditions are met the build will lift artifacts from
864     /// the previous stage forward.
865     fn force_use_stage1(&self, compiler: Compiler, target: Interned<String>) -> bool {
866         !self.config.full_bootstrap &&
867             compiler.stage >= 2 &&
868             (self.hosts.iter().any(|h| *h == target) || target == self.build)
869     }
870
871     /// Returns the directory that OpenSSL artifacts are compiled into if
872     /// configured to do so.
873     fn openssl_dir(&self, target: Interned<String>) -> Option<PathBuf> {
874         // OpenSSL not used on Windows
875         if target.contains("windows") {
876             None
877         } else if self.config.openssl_static {
878             Some(self.out.join(&*target).join("openssl"))
879         } else {
880             None
881         }
882     }
883
884     /// Returns the directory that OpenSSL artifacts are installed into if
885     /// configured as such.
886     fn openssl_install_dir(&self, target: Interned<String>) -> Option<PathBuf> {
887         self.openssl_dir(target).map(|p| p.join("install"))
888     }
889
890     /// Given `num` in the form "a.b.c" return a "release string" which
891     /// describes the release version number.
892     ///
893     /// For example on nightly this returns "a.b.c-nightly", on beta it returns
894     /// "a.b.c-beta.1" and on stable it just returns "a.b.c".
895     fn release(&self, num: &str) -> String {
896         match &self.config.channel[..] {
897             "stable" => num.to_string(),
898             "beta" => if self.rust_info.is_git() {
899                 format!("{}-beta.{}", num, self.beta_prerelease_version())
900             } else {
901                 format!("{}-beta", num)
902             },
903             "nightly" => format!("{}-nightly", num),
904             _ => format!("{}-dev", num),
905         }
906     }
907
908     fn beta_prerelease_version(&self) -> u32 {
909         if let Some(s) = self.prerelease_version.get() {
910             return s
911         }
912
913         let beta = output(
914             Command::new("git")
915                 .arg("ls-remote")
916                 .arg("origin")
917                 .arg("beta")
918                 .current_dir(&self.src)
919         );
920         let beta = beta.trim().split_whitespace().next().unwrap();
921         let master = output(
922             Command::new("git")
923                 .arg("ls-remote")
924                 .arg("origin")
925                 .arg("master")
926                 .current_dir(&self.src)
927         );
928         let master = master.trim().split_whitespace().next().unwrap();
929
930         // Figure out where the current beta branch started.
931         let base = output(
932             Command::new("git")
933                 .arg("merge-base")
934                 .arg(beta)
935                 .arg(master)
936                 .current_dir(&self.src),
937         );
938         let base = base.trim();
939
940         // Next figure out how many merge commits happened since we branched off
941         // beta. That's our beta number!
942         let count = output(
943             Command::new("git")
944                 .arg("rev-list")
945                 .arg("--count")
946                 .arg("--merges")
947                 .arg(format!("{}...HEAD", base))
948                 .current_dir(&self.src),
949         );
950         let n = count.trim().parse().unwrap();
951         self.prerelease_version.set(Some(n));
952         n
953     }
954
955     /// Returns the value of `release` above for Rust itself.
956     fn rust_release(&self) -> String {
957         self.release(channel::CFG_RELEASE_NUM)
958     }
959
960     /// Returns the "package version" for a component given the `num` release
961     /// number.
962     ///
963     /// The package version is typically what shows up in the names of tarballs.
964     /// For channels like beta/nightly it's just the channel name, otherwise
965     /// it's the `num` provided.
966     fn package_vers(&self, num: &str) -> String {
967         match &self.config.channel[..] {
968             "stable" => num.to_string(),
969             "beta" => "beta".to_string(),
970             "nightly" => "nightly".to_string(),
971             _ => format!("{}-dev", num),
972         }
973     }
974
975     /// Returns the value of `package_vers` above for Rust itself.
976     fn rust_package_vers(&self) -> String {
977         self.package_vers(channel::CFG_RELEASE_NUM)
978     }
979
980     /// Returns the value of `package_vers` above for Cargo
981     fn cargo_package_vers(&self) -> String {
982         self.package_vers(&self.release_num("cargo"))
983     }
984
985     /// Returns the value of `package_vers` above for rls
986     fn rls_package_vers(&self) -> String {
987         self.package_vers(&self.release_num("rls"))
988     }
989
990     /// Returns the value of `package_vers` above for clippy
991     fn clippy_package_vers(&self) -> String {
992         self.package_vers(&self.release_num("clippy"))
993     }
994
995     /// Returns the value of `package_vers` above for rustfmt
996     fn rustfmt_package_vers(&self) -> String {
997         self.package_vers(&self.release_num("rustfmt"))
998     }
999
1000     fn llvm_tools_package_vers(&self) -> String {
1001         self.package_vers(&self.rust_version())
1002     }
1003
1004     fn llvm_tools_vers(&self) -> String {
1005         self.rust_version()
1006     }
1007
1008     /// Returns the `version` string associated with this compiler for Rust
1009     /// itself.
1010     ///
1011     /// Note that this is a descriptive string which includes the commit date,
1012     /// sha, version, etc.
1013     fn rust_version(&self) -> String {
1014         self.rust_info.version(self, channel::CFG_RELEASE_NUM)
1015     }
1016
1017     /// Return the full commit hash
1018     fn rust_sha(&self) -> Option<&str> {
1019         self.rust_info.sha()
1020     }
1021
1022     /// Returns the `a.b.c` version that the given package is at.
1023     fn release_num(&self, package: &str) -> String {
1024         let mut toml = String::new();
1025         let toml_file_name = self.src.join(&format!("src/tools/{}/Cargo.toml", package));
1026         t!(t!(File::open(toml_file_name)).read_to_string(&mut toml));
1027         for line in toml.lines() {
1028             let prefix = "version = \"";
1029             let suffix = "\"";
1030             if line.starts_with(prefix) && line.ends_with(suffix) {
1031                 return line[prefix.len()..line.len() - suffix.len()].to_string()
1032             }
1033         }
1034
1035         panic!("failed to find version in {}'s Cargo.toml", package)
1036     }
1037
1038     /// Returns whether unstable features should be enabled for the compiler
1039     /// we're building.
1040     fn unstable_features(&self) -> bool {
1041         match &self.config.channel[..] {
1042             "stable" | "beta" => false,
1043             "nightly" | _ => true,
1044         }
1045     }
1046
1047     /// Fold the output of the commands after this method into a group. The fold
1048     /// ends when the returned object is dropped. Folding can only be used in
1049     /// the Travis CI environment.
1050     pub fn fold_output<D, F>(&self, name: F) -> Option<OutputFolder>
1051         where D: Into<String>, F: FnOnce() -> D
1052     {
1053         if !self.config.dry_run && self.ci_env == CiEnv::Travis {
1054             Some(OutputFolder::new(name().into()))
1055         } else {
1056             None
1057         }
1058     }
1059
1060     /// Updates the actual toolstate of a tool.
1061     ///
1062     /// The toolstates are saved to the file specified by the key
1063     /// `rust.save-toolstates` in `config.toml`. If unspecified, nothing will be
1064     /// done. The file is updated immediately after this function completes.
1065     pub fn save_toolstate(&self, tool: &str, state: ToolState) {
1066         use std::io::{Seek, SeekFrom};
1067
1068         if let Some(ref path) = self.config.save_toolstates {
1069             let mut file = t!(fs::OpenOptions::new()
1070                 .create(true)
1071                 .read(true)
1072                 .write(true)
1073                 .open(path));
1074
1075             let mut current_toolstates: HashMap<Box<str>, ToolState> =
1076                 serde_json::from_reader(&mut file).unwrap_or_default();
1077             current_toolstates.insert(tool.into(), state);
1078             t!(file.seek(SeekFrom::Start(0)));
1079             t!(file.set_len(0));
1080             t!(serde_json::to_writer(file, &current_toolstates));
1081         }
1082     }
1083
1084     fn in_tree_crates(&self, root: &str) -> Vec<&Crate> {
1085         let mut ret = Vec::new();
1086         let mut list = vec![INTERNER.intern_str(root)];
1087         let mut visited = HashSet::new();
1088         while let Some(krate) = list.pop() {
1089             let krate = &self.crates[&krate];
1090             if krate.is_local(self) {
1091                 ret.push(krate);
1092                 for dep in &krate.deps {
1093                     if visited.insert(dep) && dep != "build_helper" {
1094                         list.push(*dep);
1095                     }
1096                 }
1097             }
1098         }
1099         ret
1100     }
1101
1102     fn read_stamp_file(&self, stamp: &Path) -> Vec<PathBuf> {
1103         if self.config.dry_run {
1104             return Vec::new();
1105         }
1106
1107         let mut paths = Vec::new();
1108         let mut contents = Vec::new();
1109         t!(t!(File::open(stamp)).read_to_end(&mut contents));
1110         // This is the method we use for extracting paths from the stamp file passed to us. See
1111         // run_cargo for more information (in compile.rs).
1112         for part in contents.split(|b| *b == 0) {
1113             if part.is_empty() {
1114                 continue
1115             }
1116             let path = PathBuf::from(t!(str::from_utf8(part)));
1117             paths.push(path);
1118         }
1119         paths
1120     }
1121
1122     /// Copies a file from `src` to `dst`
1123     pub fn copy(&self, src: &Path, dst: &Path) {
1124         if self.config.dry_run { return; }
1125         let _ = fs::remove_file(&dst);
1126         // Attempt to "easy copy" by creating a hard link (symlinks don't work on
1127         // windows), but if that fails just fall back to a slow `copy` operation.
1128         if let Ok(()) = fs::hard_link(src, dst) {
1129             return
1130         }
1131         if let Err(e) = fs::copy(src, dst) {
1132             panic!("failed to copy `{}` to `{}`: {}", src.display(),
1133                 dst.display(), e)
1134         }
1135         let metadata = t!(src.metadata());
1136         t!(fs::set_permissions(dst, metadata.permissions()));
1137         let atime = FileTime::from_last_access_time(&metadata);
1138         let mtime = FileTime::from_last_modification_time(&metadata);
1139         t!(filetime::set_file_times(dst, atime, mtime));
1140     }
1141
1142     /// Search-and-replaces within a file. (Not maximally efficiently: allocates a
1143     /// new string for each replacement.)
1144     pub fn replace_in_file(&self, path: &Path, replacements: &[(&str, &str)]) {
1145         if self.config.dry_run { return; }
1146         let mut contents = String::new();
1147         let mut file = t!(OpenOptions::new().read(true).write(true).open(path));
1148         t!(file.read_to_string(&mut contents));
1149         for &(target, replacement) in replacements {
1150             contents = contents.replace(target, replacement);
1151         }
1152         t!(file.seek(SeekFrom::Start(0)));
1153         t!(file.set_len(0));
1154         t!(file.write_all(contents.as_bytes()));
1155     }
1156
1157     /// Copies the `src` directory recursively to `dst`. Both are assumed to exist
1158     /// when this function is called.
1159     pub fn cp_r(&self, src: &Path, dst: &Path) {
1160         if self.config.dry_run { return; }
1161         for f in t!(fs::read_dir(src)) {
1162             let f = t!(f);
1163             let path = f.path();
1164             let name = path.file_name().unwrap();
1165             let dst = dst.join(name);
1166             if t!(f.file_type()).is_dir() {
1167                 t!(fs::create_dir_all(&dst));
1168                 self.cp_r(&path, &dst);
1169             } else {
1170                 let _ = fs::remove_file(&dst);
1171                 self.copy(&path, &dst);
1172             }
1173         }
1174     }
1175
1176     /// Copies the `src` directory recursively to `dst`. Both are assumed to exist
1177     /// when this function is called. Unwanted files or directories can be skipped
1178     /// by returning `false` from the filter function.
1179     pub fn cp_filtered(&self, src: &Path, dst: &Path, filter: &dyn Fn(&Path) -> bool) {
1180         // Immediately recurse with an empty relative path
1181         self.recurse_(src, dst, Path::new(""), filter)
1182     }
1183
1184     // Inner function does the actual work
1185     fn recurse_(&self, src: &Path, dst: &Path, relative: &Path, filter: &dyn Fn(&Path) -> bool) {
1186         for f in self.read_dir(src) {
1187             let path = f.path();
1188             let name = path.file_name().unwrap();
1189             let dst = dst.join(name);
1190             let relative = relative.join(name);
1191             // Only copy file or directory if the filter function returns true
1192             if filter(&relative) {
1193                 if t!(f.file_type()).is_dir() {
1194                     let _ = fs::remove_dir_all(&dst);
1195                     self.create_dir(&dst);
1196                     self.recurse_(&path, &dst, &relative, filter);
1197                 } else {
1198                     let _ = fs::remove_file(&dst);
1199                     self.copy(&path, &dst);
1200                 }
1201             }
1202         }
1203     }
1204
1205     fn copy_to_folder(&self, src: &Path, dest_folder: &Path) {
1206         let file_name = src.file_name().unwrap();
1207         let dest = dest_folder.join(file_name);
1208         self.copy(src, &dest);
1209     }
1210
1211     fn install(&self, src: &Path, dstdir: &Path, perms: u32) {
1212         if self.config.dry_run { return; }
1213         let dst = dstdir.join(src.file_name().unwrap());
1214         t!(fs::create_dir_all(dstdir));
1215         drop(fs::remove_file(&dst));
1216         {
1217             let mut s = t!(fs::File::open(&src));
1218             let mut d = t!(fs::File::create(&dst));
1219             io::copy(&mut s, &mut d).expect("failed to copy");
1220         }
1221         chmod(&dst, perms);
1222     }
1223
1224     fn create(&self, path: &Path, s: &str) {
1225         if self.config.dry_run { return; }
1226         t!(fs::write(path, s));
1227     }
1228
1229     fn read(&self, path: &Path) -> String {
1230         if self.config.dry_run { return String::new(); }
1231         t!(fs::read_to_string(path))
1232     }
1233
1234     fn create_dir(&self, dir: &Path) {
1235         if self.config.dry_run { return; }
1236         t!(fs::create_dir_all(dir))
1237     }
1238
1239     fn remove_dir(&self, dir: &Path) {
1240         if self.config.dry_run { return; }
1241         t!(fs::remove_dir_all(dir))
1242     }
1243
1244     fn read_dir(&self, dir: &Path) -> impl Iterator<Item=fs::DirEntry> {
1245         let iter = match fs::read_dir(dir) {
1246             Ok(v) => v,
1247             Err(_) if self.config.dry_run => return vec![].into_iter(),
1248             Err(err) => panic!("could not read dir {:?}: {:?}", dir, err),
1249         };
1250         iter.map(|e| t!(e)).collect::<Vec<_>>().into_iter()
1251     }
1252
1253     fn remove(&self, f: &Path) {
1254         if self.config.dry_run { return; }
1255         fs::remove_file(f).unwrap_or_else(|_| panic!("failed to remove {:?}", f));
1256     }
1257 }
1258
1259 #[cfg(unix)]
1260 fn chmod(path: &Path, perms: u32) {
1261     use std::os::unix::fs::*;
1262     t!(fs::set_permissions(path, fs::Permissions::from_mode(perms)));
1263 }
1264 #[cfg(windows)]
1265 fn chmod(_path: &Path, _perms: u32) {}
1266
1267
1268 impl<'a> Compiler {
1269     pub fn with_stage(mut self, stage: u32) -> Compiler {
1270         self.stage = stage;
1271         self
1272     }
1273
1274     /// Returns whether this is a snapshot compiler for `build`'s configuration
1275     pub fn is_snapshot(&self, build: &Build) -> bool {
1276         self.stage == 0 && self.host == build.build
1277     }
1278
1279     /// Returns if this compiler should be treated as a final stage one in the
1280     /// current build session.
1281     /// This takes into account whether we're performing a full bootstrap or
1282     /// not; don't directly compare the stage with `2`!
1283     pub fn is_final_stage(&self, build: &Build) -> bool {
1284         let final_stage = if build.config.full_bootstrap { 2 } else { 1 };
1285         self.stage >= final_stage
1286     }
1287 }