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