]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/lib.rs
Refactor away `inferred_obligations` from the trait selector
[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
134 #[cfg(unix)]
135 extern crate libc;
136
137 use std::cell::{RefCell, Cell};
138 use std::collections::{HashSet, HashMap};
139 use std::env;
140 use std::fs::{self, File};
141 use std::io::Read;
142 use std::path::{PathBuf, Path};
143 use std::process::{self, Command};
144 use std::slice;
145
146 use build_helper::{run_silent, run_suppressed, try_run_silent, try_run_suppressed, output, mtime};
147
148 use util::{exe, libdir, OutputFolder, CiEnv};
149
150 mod cc_detect;
151 mod channel;
152 mod check;
153 mod test;
154 mod clean;
155 mod compile;
156 mod metadata;
157 mod config;
158 mod dist;
159 mod doc;
160 mod flags;
161 mod install;
162 mod native;
163 mod sanity;
164 pub mod util;
165 mod builder;
166 mod cache;
167 mod tool;
168 mod toolstate;
169
170 #[cfg(windows)]
171 mod job;
172
173 #[cfg(unix)]
174 mod job {
175     use libc;
176
177     pub unsafe fn setup(build: &mut ::Build) {
178         if build.config.low_priority {
179             libc::setpriority(libc::PRIO_PGRP as _, 0, 10);
180         }
181     }
182 }
183
184 #[cfg(not(any(unix, windows)))]
185 mod job {
186     pub unsafe fn setup(_build: &mut ::Build) {
187     }
188 }
189
190 pub use config::Config;
191 use flags::Subcommand;
192 use cache::{Interned, INTERNER};
193 use toolstate::ToolState;
194
195 /// A structure representing a Rust compiler.
196 ///
197 /// Each compiler has a `stage` that it is associated with and a `host` that
198 /// corresponds to the platform the compiler runs on. This structure is used as
199 /// a parameter to many methods below.
200 #[derive(Eq, PartialEq, Clone, Copy, Hash, Debug)]
201 pub struct Compiler {
202     stage: u32,
203     host: Interned<String>,
204 }
205
206 /// Global configuration for the build system.
207 ///
208 /// This structure transitively contains all configuration for the build system.
209 /// All filesystem-encoded configuration is in `config`, all flags are in
210 /// `flags`, and then parsed or probed information is listed in the keys below.
211 ///
212 /// This structure is a parameter of almost all methods in the build system,
213 /// although most functions are implemented as free functions rather than
214 /// methods specifically on this structure itself (to make it easier to
215 /// organize).
216 pub struct Build {
217     // User-specified configuration via config.toml
218     config: Config,
219
220     // Derived properties from the above two configurations
221     src: PathBuf,
222     out: PathBuf,
223     rust_info: channel::GitInfo,
224     cargo_info: channel::GitInfo,
225     rls_info: channel::GitInfo,
226     rustfmt_info: channel::GitInfo,
227     local_rebuild: bool,
228     fail_fast: bool,
229     doc_tests: bool,
230     verbosity: usize,
231
232     // Targets for which to build.
233     build: Interned<String>,
234     hosts: Vec<Interned<String>>,
235     targets: Vec<Interned<String>>,
236
237     // Stage 0 (downloaded) compiler and cargo or their local rust equivalents.
238     initial_rustc: PathBuf,
239     initial_cargo: PathBuf,
240
241     // Probed tools at runtime
242     lldb_version: Option<String>,
243     lldb_python_dir: Option<String>,
244
245     // Runtime state filled in later on
246     // C/C++ compilers and archiver for all targets
247     cc: HashMap<Interned<String>, cc::Tool>,
248     cxx: HashMap<Interned<String>, cc::Tool>,
249     ar: HashMap<Interned<String>, PathBuf>,
250     // Misc
251     crates: HashMap<Interned<String>, Crate>,
252     is_sudo: bool,
253     ci_env: CiEnv,
254     delayed_failures: RefCell<Vec<String>>,
255     prerelease_version: Cell<Option<u32>>,
256 }
257
258 #[derive(Debug)]
259 struct Crate {
260     name: Interned<String>,
261     version: String,
262     deps: Vec<Interned<String>>,
263     path: PathBuf,
264     doc_step: String,
265     build_step: String,
266     test_step: String,
267     bench_step: String,
268 }
269
270 impl Crate {
271     fn is_local(&self, build: &Build) -> bool {
272         self.path.starts_with(&build.config.src) &&
273         !self.path.to_string_lossy().ends_with("_shim")
274     }
275
276     fn local_path(&self, build: &Build) -> PathBuf {
277         assert!(self.is_local(build));
278         self.path.strip_prefix(&build.config.src).unwrap().into()
279     }
280 }
281
282 /// The various "modes" of invoking Cargo.
283 ///
284 /// These entries currently correspond to the various output directories of the
285 /// build system, with each mod generating output in a different directory.
286 #[derive(Debug, Hash, Clone, Copy, PartialEq, Eq)]
287 pub enum Mode {
288     /// Build the standard library, placing output in the "stageN-std" directory.
289     Libstd,
290
291     /// Build libtest, placing output in the "stageN-test" directory.
292     Libtest,
293
294     /// Build librustc and compiler libraries, placing output in the "stageN-rustc" directory.
295     Librustc,
296
297     /// Build some tool, placing output in the "stageN-tools" directory.
298     Tool,
299 }
300
301 impl Build {
302     /// Creates a new set of build configuration from the `flags` on the command
303     /// line and the filesystem `config`.
304     ///
305     /// By default all build output will be placed in the current directory.
306     pub fn new(config: Config) -> Build {
307         let cwd = t!(env::current_dir());
308         let src = config.src.clone();
309         let out = cwd.join("build");
310
311         let is_sudo = match env::var_os("SUDO_USER") {
312             Some(sudo_user) => {
313                 match env::var_os("USER") {
314                     Some(user) => user != sudo_user,
315                     None => false,
316                 }
317             }
318             None => false,
319         };
320         let rust_info = channel::GitInfo::new(&config, &src);
321         let cargo_info = channel::GitInfo::new(&config, &src.join("src/tools/cargo"));
322         let rls_info = channel::GitInfo::new(&config, &src.join("src/tools/rls"));
323         let rustfmt_info = channel::GitInfo::new(&config, &src.join("src/tools/rustfmt"));
324
325         Build {
326             initial_rustc: config.initial_rustc.clone(),
327             initial_cargo: config.initial_cargo.clone(),
328             local_rebuild: config.local_rebuild,
329             fail_fast: config.cmd.fail_fast(),
330             doc_tests: config.cmd.doc_tests(),
331             verbosity: config.verbose,
332
333             build: config.build,
334             hosts: config.hosts.clone(),
335             targets: config.targets.clone(),
336
337             config,
338             src,
339             out,
340
341             rust_info,
342             cargo_info,
343             rls_info,
344             rustfmt_info,
345             cc: HashMap::new(),
346             cxx: HashMap::new(),
347             ar: HashMap::new(),
348             crates: HashMap::new(),
349             lldb_version: None,
350             lldb_python_dir: None,
351             is_sudo,
352             ci_env: CiEnv::current(),
353             delayed_failures: RefCell::new(Vec::new()),
354             prerelease_version: Cell::new(None),
355         }
356     }
357
358     pub fn build_triple(&self) -> &[Interned<String>] {
359         unsafe {
360             slice::from_raw_parts(&self.build, 1)
361         }
362     }
363
364     /// Executes the entire build, as configured by the flags and configuration.
365     pub fn build(&mut self) {
366         unsafe {
367             job::setup(self);
368         }
369
370         if let Subcommand::Clean { all } = self.config.cmd {
371             return clean::clean(self, all);
372         }
373
374         self.verbose("finding compilers");
375         cc_detect::find(self);
376         self.verbose("running sanity check");
377         sanity::check(self);
378         // If local-rust is the same major.minor as the current version, then force a local-rebuild
379         let local_version_verbose = output(
380             Command::new(&self.initial_rustc).arg("--version").arg("--verbose"));
381         let local_release = local_version_verbose
382             .lines().filter(|x| x.starts_with("release:"))
383             .next().unwrap().trim_left_matches("release:").trim();
384         let my_version = channel::CFG_RELEASE_NUM;
385         if local_release.split('.').take(2).eq(my_version.split('.').take(2)) {
386             self.verbose(&format!("auto-detected local-rebuild {}", local_release));
387             self.local_rebuild = true;
388         }
389         self.verbose("learning about cargo");
390         metadata::build(self);
391
392         builder::Builder::run(&self);
393
394         // Check for postponed failures from `test --no-fail-fast`.
395         let failures = self.delayed_failures.borrow();
396         if failures.len() > 0 {
397             println!("\n{} command(s) did not execute successfully:\n", failures.len());
398             for failure in failures.iter() {
399                 println!("  - {}\n", failure);
400             }
401             process::exit(1);
402         }
403     }
404
405     /// Clear out `dir` if `input` is newer.
406     ///
407     /// After this executes, it will also ensure that `dir` exists.
408     fn clear_if_dirty(&self, dir: &Path, input: &Path) -> bool {
409         let stamp = dir.join(".stamp");
410         let mut cleared = false;
411         if mtime(&stamp) < mtime(input) {
412             self.verbose(&format!("Dirty - {}", dir.display()));
413             let _ = fs::remove_dir_all(dir);
414             cleared = true;
415         } else if stamp.exists() {
416             return cleared;
417         }
418         t!(fs::create_dir_all(dir));
419         t!(File::create(stamp));
420         cleared
421     }
422
423     /// Get the space-separated set of activated features for the standard
424     /// library.
425     fn std_features(&self) -> String {
426         let mut features = "panic-unwind".to_string();
427
428         if self.config.debug_jemalloc {
429             features.push_str(" debug-jemalloc");
430         }
431         if self.config.use_jemalloc {
432             features.push_str(" jemalloc");
433         }
434         if self.config.backtrace {
435             features.push_str(" backtrace");
436         }
437         if self.config.profiler {
438             features.push_str(" profiler");
439         }
440         if self.config.wasm_syscall {
441             features.push_str(" wasm_syscall");
442         }
443         features
444     }
445
446     /// Get the space-separated set of activated features for the compiler.
447     fn rustc_features(&self) -> String {
448         let mut features = String::new();
449         if self.config.use_jemalloc {
450             features.push_str(" jemalloc");
451         }
452         features
453     }
454
455     /// Component directory that Cargo will produce output into (e.g.
456     /// release/debug)
457     fn cargo_dir(&self) -> &'static str {
458         if self.config.rust_optimize {"release"} else {"debug"}
459     }
460
461     fn tools_dir(&self, compiler: Compiler) -> PathBuf {
462         let out = self.out.join(&*compiler.host).join(format!("stage{}-tools-bin", compiler.stage));
463         t!(fs::create_dir_all(&out));
464         out
465     }
466
467     /// Returns the root directory for all output generated in a particular
468     /// stage when running with a particular host compiler.
469     ///
470     /// The mode indicates what the root directory is for.
471     fn stage_out(&self, compiler: Compiler, mode: Mode) -> PathBuf {
472         let suffix = match mode {
473             Mode::Libstd => "-std",
474             Mode::Libtest => "-test",
475             Mode::Tool => "-tools",
476             Mode::Librustc => "-rustc",
477         };
478         self.out.join(&*compiler.host)
479                 .join(format!("stage{}{}", compiler.stage, suffix))
480     }
481
482     /// Returns the root output directory for all Cargo output in a given stage,
483     /// running a particular compiler, whether or not we're building the
484     /// standard library, and targeting the specified architecture.
485     fn cargo_out(&self,
486                  compiler: Compiler,
487                  mode: Mode,
488                  target: Interned<String>) -> PathBuf {
489         self.stage_out(compiler, mode).join(&*target).join(self.cargo_dir())
490     }
491
492     /// Root output directory for LLVM compiled for `target`
493     ///
494     /// Note that if LLVM is configured externally then the directory returned
495     /// will likely be empty.
496     fn llvm_out(&self, target: Interned<String>) -> PathBuf {
497         self.out.join(&*target).join("llvm")
498     }
499
500     fn emscripten_llvm_out(&self, target: Interned<String>) -> PathBuf {
501         self.out.join(&*target).join("llvm-emscripten")
502     }
503
504     /// Output directory for all documentation for a target
505     fn doc_out(&self, target: Interned<String>) -> PathBuf {
506         self.out.join(&*target).join("doc")
507     }
508
509     /// Output directory for some generated md crate documentation for a target (temporary)
510     fn md_doc_out(&self, target: Interned<String>) -> Interned<PathBuf> {
511         INTERNER.intern_path(self.out.join(&*target).join("md-doc"))
512     }
513
514     /// Output directory for all crate documentation for a target (temporary)
515     ///
516     /// The artifacts here are then copied into `doc_out` above.
517     fn crate_doc_out(&self, target: Interned<String>) -> PathBuf {
518         self.out.join(&*target).join("crate-docs")
519     }
520
521     /// Returns true if no custom `llvm-config` is set for the specified target.
522     ///
523     /// If no custom `llvm-config` was specified then Rust's llvm will be used.
524     fn is_rust_llvm(&self, target: Interned<String>) -> bool {
525         match self.config.target_config.get(&target) {
526             Some(ref c) => c.llvm_config.is_none(),
527             None => true
528         }
529     }
530
531     /// Returns the path to `llvm-config` for the specified target.
532     ///
533     /// If a custom `llvm-config` was specified for target then that's returned
534     /// instead.
535     fn llvm_config(&self, target: Interned<String>) -> PathBuf {
536         let target_config = self.config.target_config.get(&target);
537         if let Some(s) = target_config.and_then(|c| c.llvm_config.as_ref()) {
538             s.clone()
539         } else {
540             self.llvm_out(self.config.build).join("bin")
541                 .join(exe("llvm-config", &*target))
542         }
543     }
544
545     /// Returns the path to `FileCheck` binary for the specified target
546     fn llvm_filecheck(&self, target: Interned<String>) -> PathBuf {
547         let target_config = self.config.target_config.get(&target);
548         if let Some(s) = target_config.and_then(|c| c.llvm_config.as_ref()) {
549             let llvm_bindir = output(Command::new(s).arg("--bindir"));
550             Path::new(llvm_bindir.trim()).join(exe("FileCheck", &*target))
551         } else {
552             let base = self.llvm_out(self.config.build).join("build");
553             let exe = exe("FileCheck", &*target);
554             if !self.config.ninja && self.config.build.contains("msvc") {
555                 base.join("Release/bin").join(exe)
556             } else {
557                 base.join("bin").join(exe)
558             }
559         }
560     }
561
562     /// Directory for libraries built from C/C++ code and shared between stages.
563     fn native_dir(&self, target: Interned<String>) -> PathBuf {
564         self.out.join(&*target).join("native")
565     }
566
567     /// Root output directory for rust_test_helpers library compiled for
568     /// `target`
569     fn test_helpers_out(&self, target: Interned<String>) -> PathBuf {
570         self.native_dir(target).join("rust-test-helpers")
571     }
572
573     /// Adds the `RUST_TEST_THREADS` env var if necessary
574     fn add_rust_test_threads(&self, cmd: &mut Command) {
575         if env::var_os("RUST_TEST_THREADS").is_none() {
576             cmd.env("RUST_TEST_THREADS", self.jobs().to_string());
577         }
578     }
579
580     /// Returns the libdir of the snapshot compiler.
581     fn rustc_snapshot_libdir(&self) -> PathBuf {
582         self.initial_rustc.parent().unwrap().parent().unwrap()
583             .join(libdir(&self.config.build))
584     }
585
586     /// Runs a command, printing out nice contextual information if it fails.
587     fn run(&self, cmd: &mut Command) {
588         self.verbose(&format!("running: {:?}", cmd));
589         run_silent(cmd)
590     }
591
592     /// Runs a command, printing out nice contextual information if it fails.
593     fn run_quiet(&self, cmd: &mut Command) {
594         self.verbose(&format!("running: {:?}", cmd));
595         run_suppressed(cmd)
596     }
597
598     /// Runs a command, printing out nice contextual information if it fails.
599     /// Exits if the command failed to execute at all, otherwise returns its
600     /// `status.success()`.
601     fn try_run(&self, cmd: &mut Command) -> bool {
602         self.verbose(&format!("running: {:?}", cmd));
603         try_run_silent(cmd)
604     }
605
606     /// Runs a command, printing out nice contextual information if it fails.
607     /// Exits if the command failed to execute at all, otherwise returns its
608     /// `status.success()`.
609     fn try_run_quiet(&self, cmd: &mut Command) -> bool {
610         self.verbose(&format!("running: {:?}", cmd));
611         try_run_suppressed(cmd)
612     }
613
614     pub fn is_verbose(&self) -> bool {
615         self.verbosity > 0
616     }
617
618     pub fn is_very_verbose(&self) -> bool {
619         self.verbosity > 1
620     }
621
622     /// Prints a message if this build is configured in verbose mode.
623     fn verbose(&self, msg: &str) {
624         if self.is_verbose() {
625             println!("{}", msg);
626         }
627     }
628
629     /// Returns the number of parallel jobs that have been configured for this
630     /// build.
631     fn jobs(&self) -> u32 {
632         self.config.jobs.unwrap_or_else(|| num_cpus::get() as u32)
633     }
634
635     /// Returns the path to the C compiler for the target specified.
636     fn cc(&self, target: Interned<String>) -> &Path {
637         self.cc[&target].path()
638     }
639
640     /// Returns a list of flags to pass to the C compiler for the target
641     /// specified.
642     fn cflags(&self, target: Interned<String>) -> Vec<String> {
643         // Filter out -O and /O (the optimization flags) that we picked up from
644         // cc-rs because the build scripts will determine that for themselves.
645         let mut base = self.cc[&target].args().iter()
646                            .map(|s| s.to_string_lossy().into_owned())
647                            .filter(|s| !s.starts_with("-O") && !s.starts_with("/O"))
648                            .collect::<Vec<_>>();
649
650         // If we're compiling on macOS then we add a few unconditional flags
651         // indicating that we want libc++ (more filled out than libstdc++) and
652         // we want to compile for 10.7. This way we can ensure that
653         // LLVM/jemalloc/etc are all properly compiled.
654         if target.contains("apple-darwin") {
655             base.push("-stdlib=libc++".into());
656         }
657
658         // Work around an apparently bad MinGW / GCC optimization,
659         // See: http://lists.llvm.org/pipermail/cfe-dev/2016-December/051980.html
660         // See: https://gcc.gnu.org/bugzilla/show_bug.cgi?id=78936
661         if &*target == "i686-pc-windows-gnu" {
662             base.push("-fno-omit-frame-pointer".into());
663         }
664         base
665     }
666
667     /// Returns the path to the `ar` archive utility for the target specified.
668     fn ar(&self, target: Interned<String>) -> Option<&Path> {
669         self.ar.get(&target).map(|p| &**p)
670     }
671
672     /// Returns the path to the C++ compiler for the target specified.
673     fn cxx(&self, target: Interned<String>) -> Result<&Path, String> {
674         match self.cxx.get(&target) {
675             Some(p) => Ok(p.path()),
676             None => Err(format!(
677                     "target `{}` is not configured as a host, only as a target",
678                     target))
679         }
680     }
681
682     /// Returns the path to the linker for the given target if it needs to be overridden.
683     fn linker(&self, target: Interned<String>) -> Option<&Path> {
684         if let Some(linker) = self.config.target_config.get(&target)
685                                                        .and_then(|c| c.linker.as_ref()) {
686             Some(linker)
687         } else if target != self.config.build &&
688                   !target.contains("msvc") && !target.contains("emscripten") {
689             Some(self.cc(target))
690         } else {
691             None
692         }
693     }
694
695     /// Returns if this target should statically link the C runtime, if specified
696     fn crt_static(&self, target: Interned<String>) -> Option<bool> {
697         if target.contains("pc-windows-msvc") {
698             Some(true)
699         } else {
700             self.config.target_config.get(&target)
701                 .and_then(|t| t.crt_static)
702         }
703     }
704
705     /// Returns the "musl root" for this `target`, if defined
706     fn musl_root(&self, target: Interned<String>) -> Option<&Path> {
707         self.config.target_config.get(&target)
708             .and_then(|t| t.musl_root.as_ref())
709             .or(self.config.musl_root.as_ref())
710             .map(|p| &**p)
711     }
712
713     /// Returns whether the target will be tested using the `remote-test-client`
714     /// and `remote-test-server` binaries.
715     fn remote_tested(&self, target: Interned<String>) -> bool {
716         self.qemu_rootfs(target).is_some() || target.contains("android") ||
717         env::var_os("TEST_DEVICE_ADDR").is_some()
718     }
719
720     /// Returns the root of the "rootfs" image that this target will be using,
721     /// if one was configured.
722     ///
723     /// If `Some` is returned then that means that tests for this target are
724     /// emulated with QEMU and binaries will need to be shipped to the emulator.
725     fn qemu_rootfs(&self, target: Interned<String>) -> Option<&Path> {
726         self.config.target_config.get(&target)
727             .and_then(|t| t.qemu_rootfs.as_ref())
728             .map(|p| &**p)
729     }
730
731     /// Path to the python interpreter to use
732     fn python(&self) -> &Path {
733         self.config.python.as_ref().unwrap()
734     }
735
736     /// Temporary directory that extended error information is emitted to.
737     fn extended_error_dir(&self) -> PathBuf {
738         self.out.join("tmp/extended-error-metadata")
739     }
740
741     /// Tests whether the `compiler` compiling for `target` should be forced to
742     /// use a stage1 compiler instead.
743     ///
744     /// Currently, by default, the build system does not perform a "full
745     /// bootstrap" by default where we compile the compiler three times.
746     /// Instead, we compile the compiler two times. The final stage (stage2)
747     /// just copies the libraries from the previous stage, which is what this
748     /// method detects.
749     ///
750     /// Here we return `true` if:
751     ///
752     /// * The build isn't performing a full bootstrap
753     /// * The `compiler` is in the final stage, 2
754     /// * We're not cross-compiling, so the artifacts are already available in
755     ///   stage1
756     ///
757     /// When all of these conditions are met the build will lift artifacts from
758     /// the previous stage forward.
759     fn force_use_stage1(&self, compiler: Compiler, target: Interned<String>) -> bool {
760         !self.config.full_bootstrap &&
761             compiler.stage >= 2 &&
762             (self.hosts.iter().any(|h| *h == target) || target == self.build)
763     }
764
765     /// Returns the directory that OpenSSL artifacts are compiled into if
766     /// configured to do so.
767     fn openssl_dir(&self, target: Interned<String>) -> Option<PathBuf> {
768         // OpenSSL not used on Windows
769         if target.contains("windows") {
770             None
771         } else if self.config.openssl_static {
772             Some(self.out.join(&*target).join("openssl"))
773         } else {
774             None
775         }
776     }
777
778     /// Returns the directory that OpenSSL artifacts are installed into if
779     /// configured as such.
780     fn openssl_install_dir(&self, target: Interned<String>) -> Option<PathBuf> {
781         self.openssl_dir(target).map(|p| p.join("install"))
782     }
783
784     /// Given `num` in the form "a.b.c" return a "release string" which
785     /// describes the release version number.
786     ///
787     /// For example on nightly this returns "a.b.c-nightly", on beta it returns
788     /// "a.b.c-beta.1" and on stable it just returns "a.b.c".
789     fn release(&self, num: &str) -> String {
790         match &self.config.channel[..] {
791             "stable" => num.to_string(),
792             "beta" => if self.rust_info.is_git() {
793                 format!("{}-beta.{}", num, self.beta_prerelease_version())
794             } else {
795                 format!("{}-beta", num)
796             },
797             "nightly" => format!("{}-nightly", num),
798             _ => format!("{}-dev", num),
799         }
800     }
801
802     fn beta_prerelease_version(&self) -> u32 {
803         if let Some(s) = self.prerelease_version.get() {
804             return s
805         }
806
807         let beta = output(
808             Command::new("git")
809                 .arg("ls-remote")
810                 .arg("origin")
811                 .arg("beta")
812                 .current_dir(&self.src)
813         );
814         let beta = beta.trim().split_whitespace().next().unwrap();
815         let master = output(
816             Command::new("git")
817                 .arg("ls-remote")
818                 .arg("origin")
819                 .arg("master")
820                 .current_dir(&self.src)
821         );
822         let master = master.trim().split_whitespace().next().unwrap();
823
824         // Figure out where the current beta branch started.
825         let base = output(
826             Command::new("git")
827                 .arg("merge-base")
828                 .arg(beta)
829                 .arg(master)
830                 .current_dir(&self.src),
831         );
832         let base = base.trim();
833
834         // Next figure out how many merge commits happened since we branched off
835         // beta. That's our beta number!
836         let count = output(
837             Command::new("git")
838                 .arg("rev-list")
839                 .arg("--count")
840                 .arg("--merges")
841                 .arg(format!("{}...HEAD", base))
842                 .current_dir(&self.src),
843         );
844         let n = count.trim().parse().unwrap();
845         self.prerelease_version.set(Some(n));
846         n
847     }
848
849     /// Returns the value of `release` above for Rust itself.
850     fn rust_release(&self) -> String {
851         self.release(channel::CFG_RELEASE_NUM)
852     }
853
854     /// Returns the "package version" for a component given the `num` release
855     /// number.
856     ///
857     /// The package version is typically what shows up in the names of tarballs.
858     /// For channels like beta/nightly it's just the channel name, otherwise
859     /// it's the `num` provided.
860     fn package_vers(&self, num: &str) -> String {
861         match &self.config.channel[..] {
862             "stable" => num.to_string(),
863             "beta" => "beta".to_string(),
864             "nightly" => "nightly".to_string(),
865             _ => format!("{}-dev", num),
866         }
867     }
868
869     /// Returns the value of `package_vers` above for Rust itself.
870     fn rust_package_vers(&self) -> String {
871         self.package_vers(channel::CFG_RELEASE_NUM)
872     }
873
874     /// Returns the value of `package_vers` above for Cargo
875     fn cargo_package_vers(&self) -> String {
876         self.package_vers(&self.release_num("cargo"))
877     }
878
879     /// Returns the value of `package_vers` above for rls
880     fn rls_package_vers(&self) -> String {
881         self.package_vers(&self.release_num("rls"))
882     }
883
884     /// Returns the value of `package_vers` above for rustfmt
885     fn rustfmt_package_vers(&self) -> String {
886         self.package_vers(&self.release_num("rustfmt"))
887     }
888
889     /// Returns the `version` string associated with this compiler for Rust
890     /// itself.
891     ///
892     /// Note that this is a descriptive string which includes the commit date,
893     /// sha, version, etc.
894     fn rust_version(&self) -> String {
895         self.rust_info.version(self, channel::CFG_RELEASE_NUM)
896     }
897
898     /// Return the full commit hash
899     fn rust_sha(&self) -> Option<&str> {
900         self.rust_info.sha()
901     }
902
903     /// Returns the `a.b.c` version that the given package is at.
904     fn release_num(&self, package: &str) -> String {
905         let mut toml = String::new();
906         let toml_file_name = self.src.join(&format!("src/tools/{}/Cargo.toml", package));
907         t!(t!(File::open(toml_file_name)).read_to_string(&mut toml));
908         for line in toml.lines() {
909             let prefix = "version = \"";
910             let suffix = "\"";
911             if line.starts_with(prefix) && line.ends_with(suffix) {
912                 return line[prefix.len()..line.len() - suffix.len()].to_string()
913             }
914         }
915
916         panic!("failed to find version in {}'s Cargo.toml", package)
917     }
918
919     /// Returns whether unstable features should be enabled for the compiler
920     /// we're building.
921     fn unstable_features(&self) -> bool {
922         match &self.config.channel[..] {
923             "stable" | "beta" => false,
924             "nightly" | _ => true,
925         }
926     }
927
928     /// Fold the output of the commands after this method into a group. The fold
929     /// ends when the returned object is dropped. Folding can only be used in
930     /// the Travis CI environment.
931     pub fn fold_output<D, F>(&self, name: F) -> Option<OutputFolder>
932         where D: Into<String>, F: FnOnce() -> D
933     {
934         if self.ci_env == CiEnv::Travis {
935             Some(OutputFolder::new(name().into()))
936         } else {
937             None
938         }
939     }
940
941     /// Updates the actual toolstate of a tool.
942     ///
943     /// The toolstates are saved to the file specified by the key
944     /// `rust.save-toolstates` in `config.toml`. If unspecified, nothing will be
945     /// done. The file is updated immediately after this function completes.
946     pub fn save_toolstate(&self, tool: &str, state: ToolState) {
947         use std::io::{Seek, SeekFrom};
948
949         if let Some(ref path) = self.config.save_toolstates {
950             let mut file = t!(fs::OpenOptions::new()
951                 .create(true)
952                 .read(true)
953                 .write(true)
954                 .open(path));
955
956             let mut current_toolstates: HashMap<Box<str>, ToolState> =
957                 serde_json::from_reader(&mut file).unwrap_or_default();
958             current_toolstates.insert(tool.into(), state);
959             t!(file.seek(SeekFrom::Start(0)));
960             t!(file.set_len(0));
961             t!(serde_json::to_writer(file, &current_toolstates));
962         }
963     }
964
965     fn in_tree_crates(&self, root: &str) -> Vec<&Crate> {
966         let mut ret = Vec::new();
967         let mut list = vec![INTERNER.intern_str(root)];
968         let mut visited = HashSet::new();
969         while let Some(krate) = list.pop() {
970             let krate = &self.crates[&krate];
971             if krate.is_local(self) {
972                 ret.push(krate);
973                 for dep in &krate.deps {
974                     if visited.insert(dep) && dep != "build_helper" {
975                         list.push(*dep);
976                     }
977                 }
978             }
979         }
980         ret
981     }
982 }
983
984 impl<'a> Compiler {
985     pub fn with_stage(mut self, stage: u32) -> Compiler {
986         self.stage = stage;
987         self
988     }
989
990     /// Returns whether this is a snapshot compiler for `build`'s configuration
991     pub fn is_snapshot(&self, build: &Build) -> bool {
992         self.stage == 0 && self.host == build.build
993     }
994
995     /// Returns if this compiler should be treated as a final stage one in the
996     /// current build session.
997     /// This takes into account whether we're performing a full bootstrap or
998     /// not; don't directly compare the stage with `2`!
999     pub fn is_final_stage(&self, build: &Build) -> bool {
1000         let final_stage = if build.config.full_bootstrap { 2 } else { 1 };
1001         self.stage >= final_stage
1002     }
1003 }