]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/bin/rustc.rs
6f68775a85fd38b0412f6dfae54acb53dc60a12c
[rust.git] / src / bootstrap / bin / rustc.rs
1 //! Shim which is passed to Cargo as "rustc" when running the bootstrap.
2 //!
3 //! This shim will take care of some various tasks that our build process
4 //! requires that Cargo can't quite do through normal configuration:
5 //!
6 //! 1. When compiling build scripts and build dependencies, we need a guaranteed
7 //!    full standard library available. The only compiler which actually has
8 //!    this is the snapshot, so we detect this situation and always compile with
9 //!    the snapshot compiler.
10 //! 2. We pass a bunch of `--cfg` and other flags based on what we're compiling
11 //!    (and this slightly differs based on a whether we're using a snapshot or
12 //!    not), so we do that all here.
13 //!
14 //! This may one day be replaced by RUSTFLAGS, but the dynamic nature of
15 //! switching compilers for the bootstrap and for build scripts will probably
16 //! never get replaced.
17
18 #![deny(warnings)]
19
20 use std::env;
21 use std::ffi::OsString;
22 use std::io;
23 use std::path::PathBuf;
24 use std::process::Command;
25 use std::str::FromStr;
26 use std::time::Instant;
27
28 fn main() {
29     let mut args = env::args_os().skip(1).collect::<Vec<_>>();
30
31     // Append metadata suffix for internal crates. See the corresponding entry
32     // in bootstrap/lib.rs for details.
33     if let Ok(s) = env::var("RUSTC_METADATA_SUFFIX") {
34         for i in 1..args.len() {
35             // Dirty code for borrowing issues
36             let mut new = None;
37             if let Some(current_as_str) = args[i].to_str() {
38                 if (&*args[i - 1] == "-C" && current_as_str.starts_with("metadata")) ||
39                    current_as_str.starts_with("-Cmetadata") {
40                     new = Some(format!("{}-{}", current_as_str, s));
41                 }
42             }
43             if let Some(new) = new { args[i] = new.into(); }
44         }
45     }
46
47     // Drop `--error-format json` because despite our desire for json messages
48     // from Cargo we don't want any from rustc itself.
49     if let Some(n) = args.iter().position(|n| n == "--error-format") {
50         args.remove(n);
51         args.remove(n);
52     }
53
54     if let Some(s) = env::var_os("RUSTC_ERROR_FORMAT") {
55         args.push("--error-format".into());
56         args.push(s);
57     }
58
59     // Detect whether or not we're a build script depending on whether --target
60     // is passed (a bit janky...)
61     let target = args.windows(2)
62         .find(|w| &*w[0] == "--target")
63         .and_then(|w| w[1].to_str());
64     let version = args.iter().find(|w| &**w == "-vV");
65
66     let verbose = match env::var("RUSTC_VERBOSE") {
67         Ok(s) => usize::from_str(&s).expect("RUSTC_VERBOSE should be an integer"),
68         Err(_) => 0,
69     };
70
71     // Use a different compiler for build scripts, since there may not yet be a
72     // libstd for the real compiler to use. However, if Cargo is attempting to
73     // determine the version of the compiler, the real compiler needs to be
74     // used. Currently, these two states are differentiated based on whether
75     // --target and -vV is/isn't passed.
76     let (rustc, libdir) = if target.is_none() && version.is_none() {
77         ("RUSTC_SNAPSHOT", "RUSTC_SNAPSHOT_LIBDIR")
78     } else {
79         ("RUSTC_REAL", "RUSTC_LIBDIR")
80     };
81     let stage = env::var("RUSTC_STAGE").expect("RUSTC_STAGE was not set");
82     let sysroot = env::var_os("RUSTC_SYSROOT").expect("RUSTC_SYSROOT was not set");
83     let on_fail = env::var_os("RUSTC_ON_FAIL").map(|of| Command::new(of));
84
85     let rustc = env::var_os(rustc).unwrap_or_else(|| panic!("{:?} was not set", rustc));
86     let libdir = env::var_os(libdir).unwrap_or_else(|| panic!("{:?} was not set", libdir));
87     let mut dylib_path = bootstrap::util::dylib_path();
88     dylib_path.insert(0, PathBuf::from(&libdir));
89
90     let mut cmd = Command::new(rustc);
91     cmd.args(&args)
92         .arg("--cfg")
93         .arg(format!("stage{}", stage))
94         .env(bootstrap::util::dylib_path_var(),
95              env::join_paths(&dylib_path).unwrap());
96     let mut maybe_crate = None;
97
98     // Print backtrace in case of ICE
99     if env::var("RUSTC_BACKTRACE_ON_ICE").is_ok() && env::var("RUST_BACKTRACE").is_err() {
100         cmd.env("RUST_BACKTRACE", "1");
101     }
102
103     cmd.env("RUSTC_BREAK_ON_ICE", "1");
104
105     if let Some(target) = target {
106         // The stage0 compiler has a special sysroot distinct from what we
107         // actually downloaded, so we just always pass the `--sysroot` option.
108         cmd.arg("--sysroot").arg(&sysroot);
109
110         cmd.arg("-Zexternal-macro-backtrace");
111
112         // Link crates to the proc macro crate for the target, but use a host proc macro crate
113         // to actually run the macros
114         if env::var_os("RUST_DUAL_PROC_MACROS").is_some() {
115             cmd.arg("-Zdual-proc-macros");
116         }
117
118         // When we build Rust dylibs they're all intended for intermediate
119         // usage, so make sure we pass the -Cprefer-dynamic flag instead of
120         // linking all deps statically into the dylib.
121         if env::var_os("RUSTC_NO_PREFER_DYNAMIC").is_none() {
122             cmd.arg("-Cprefer-dynamic");
123         }
124
125         // Help the libc crate compile by assisting it in finding the MUSL
126         // native libraries.
127         if let Some(s) = env::var_os("MUSL_ROOT") {
128             if target.contains("musl") {
129                 let mut root = OsString::from("native=");
130                 root.push(&s);
131                 root.push("/lib");
132                 cmd.arg("-L").arg(&root);
133             }
134         }
135
136         // Override linker if necessary.
137         if let Ok(target_linker) = env::var("RUSTC_TARGET_LINKER") {
138             cmd.arg(format!("-Clinker={}", target_linker));
139         }
140
141         let crate_name = args.windows(2)
142             .find(|a| &*a[0] == "--crate-name")
143             .unwrap();
144         let crate_name = &*crate_name[1];
145         maybe_crate = Some(crate_name);
146
147         // If we're compiling specifically the `panic_abort` crate then we pass
148         // the `-C panic=abort` option. Note that we do not do this for any
149         // other crate intentionally as this is the only crate for now that we
150         // ship with panic=abort.
151         //
152         // This... is a bit of a hack how we detect this. Ideally this
153         // information should be encoded in the crate I guess? Would likely
154         // require an RFC amendment to RFC 1513, however.
155         //
156         // `compiler_builtins` are unconditionally compiled with panic=abort to
157         // workaround undefined references to `rust_eh_unwind_resume` generated
158         // otherwise, see issue https://github.com/rust-lang/rust/issues/43095.
159         if crate_name == "panic_abort" ||
160            crate_name == "compiler_builtins" && stage != "0" {
161             cmd.arg("-C").arg("panic=abort");
162         }
163
164         // Set various options from config.toml to configure how we're building
165         // code.
166         if env::var("RUSTC_DEBUGINFO") == Ok("true".to_string()) {
167             cmd.arg("-g");
168         } else if env::var("RUSTC_DEBUGINFO_LINES") == Ok("true".to_string()) {
169             cmd.arg("-Cdebuginfo=1");
170         }
171         let debug_assertions = match env::var("RUSTC_DEBUG_ASSERTIONS") {
172             Ok(s) => if s == "true" { "y" } else { "n" },
173             Err(..) => "n",
174         };
175
176         // The compiler builtins are pretty sensitive to symbols referenced in
177         // libcore and such, so we never compile them with debug assertions.
178         if crate_name == "compiler_builtins" {
179             cmd.arg("-C").arg("debug-assertions=no");
180         } else {
181             cmd.arg("-C").arg(format!("debug-assertions={}", debug_assertions));
182         }
183
184         // Build `compiler_builtins` with `-Z emit-stack-sizes` to add stack usage information.
185         //
186         // When you use this flag with Cargo you get stack usage information on all crates compiled
187         // from source, and when you are using LTO you also get information on pre-compiled crates
188         // like `core` and `std`. However, there's an exception: `compiler_builtins`. This crate
189         // is special and doesn't participate in LTO because it's always linked as a separate object
190         // file. Due to this it's impossible to get information about this crate using `RUSTFLAGS`
191         // + Cargo, or `cargo rustc`.
192         //
193         // To make the stack usage information of this crate available to Cargo based stack usage
194         // analysis tools we compile `compiler_builtins` with the `-Z emit-stack-sizes` flag. The
195         // flag is known to currently work with targets that produce ELF files so we limit the use
196         // of the flag to those targets.
197         //
198         // NOTE(japaric) if this ever causes problem with an LLVM upgrade or any PR feel free to
199         // remove it or comment it out
200         if crate_name == "compiler_builtins"
201             && (target.contains("-linux-")
202                 || target.contains("-none-eabi")
203                 || target.ends_with("-none-elf"))
204         {
205             cmd.arg("-Z").arg("emit-stack-sizes");
206         }
207
208         if let Ok(s) = env::var("RUSTC_CODEGEN_UNITS") {
209             cmd.arg("-C").arg(format!("codegen-units={}", s));
210         }
211
212         // Emit save-analysis info.
213         if env::var("RUSTC_SAVE_ANALYSIS") == Ok("api".to_string()) {
214             cmd.arg("-Zsave-analysis");
215             cmd.env("RUST_SAVE_ANALYSIS_CONFIG",
216                     "{\"output_file\": null,\"full_docs\": false,\
217                      \"pub_only\": true,\"reachable_only\": false,\
218                      \"distro_crate\": true,\"signatures\": false,\"borrow_data\": false}");
219         }
220
221         // Dealing with rpath here is a little special, so let's go into some
222         // detail. First off, `-rpath` is a linker option on Unix platforms
223         // which adds to the runtime dynamic loader path when looking for
224         // dynamic libraries. We use this by default on Unix platforms to ensure
225         // that our nightlies behave the same on Windows, that is they work out
226         // of the box. This can be disabled, of course, but basically that's why
227         // we're gated on RUSTC_RPATH here.
228         //
229         // Ok, so the astute might be wondering "why isn't `-C rpath` used
230         // here?" and that is indeed a good question to task. This codegen
231         // option is the compiler's current interface to generating an rpath.
232         // Unfortunately it doesn't quite suffice for us. The flag currently
233         // takes no value as an argument, so the compiler calculates what it
234         // should pass to the linker as `-rpath`. This unfortunately is based on
235         // the **compile time** directory structure which when building with
236         // Cargo will be very different than the runtime directory structure.
237         //
238         // All that's a really long winded way of saying that if we use
239         // `-Crpath` then the executables generated have the wrong rpath of
240         // something like `$ORIGIN/deps` when in fact the way we distribute
241         // rustc requires the rpath to be `$ORIGIN/../lib`.
242         //
243         // So, all in all, to set up the correct rpath we pass the linker
244         // argument manually via `-C link-args=-Wl,-rpath,...`. Plus isn't it
245         // fun to pass a flag to a tool to pass a flag to pass a flag to a tool
246         // to change a flag in a binary?
247         if env::var("RUSTC_RPATH") == Ok("true".to_string()) {
248             let rpath = if target.contains("apple") {
249
250                 // Note that we need to take one extra step on macOS to also pass
251                 // `-Wl,-instal_name,@rpath/...` to get things to work right. To
252                 // do that we pass a weird flag to the compiler to get it to do
253                 // so. Note that this is definitely a hack, and we should likely
254                 // flesh out rpath support more fully in the future.
255                 cmd.arg("-Z").arg("osx-rpath-install-name");
256                 Some("-Wl,-rpath,@loader_path/../lib")
257             } else if !target.contains("windows") &&
258                       !target.contains("wasm32") &&
259                       !target.contains("fuchsia") {
260                 Some("-Wl,-rpath,$ORIGIN/../lib")
261             } else {
262                 None
263             };
264             if let Some(rpath) = rpath {
265                 cmd.arg("-C").arg(format!("link-args={}", rpath));
266             }
267         }
268
269         if let Ok(s) = env::var("RUSTC_CRT_STATIC") {
270             if s == "true" {
271                 cmd.arg("-C").arg("target-feature=+crt-static");
272             }
273             if s == "false" {
274                 cmd.arg("-C").arg("target-feature=-crt-static");
275             }
276         }
277
278         // When running miri tests, we need to generate MIR for all libraries
279         if env::var("TEST_MIRI").ok().map_or(false, |val| val == "true") {
280             // The flags here should be kept in sync with `add_miri_default_args`
281             // in miri's `src/lib.rs`.
282             cmd.arg("-Zalways-encode-mir");
283             // These options are preferred by miri, to be able to perform better validation,
284             // but the bootstrap compiler might not understand them.
285             if stage != "0" {
286                 cmd.arg("-Zmir-emit-retag");
287                 cmd.arg("-Zmir-opt-level=0");
288             }
289         }
290
291         if let Ok(map) = env::var("RUSTC_DEBUGINFO_MAP") {
292             cmd.arg("--remap-path-prefix").arg(&map);
293         }
294     } else {
295         // Override linker if necessary.
296         if let Ok(host_linker) = env::var("RUSTC_HOST_LINKER") {
297             cmd.arg(format!("-Clinker={}", host_linker));
298         }
299
300         if let Ok(s) = env::var("RUSTC_HOST_CRT_STATIC") {
301             if s == "true" {
302                 cmd.arg("-C").arg("target-feature=+crt-static");
303             }
304             if s == "false" {
305                 cmd.arg("-C").arg("target-feature=-crt-static");
306             }
307         }
308     }
309
310     // Force all crates compiled by this compiler to (a) be unstable and (b)
311     // allow the `rustc_private` feature to link to other unstable crates
312     // also in the sysroot. We also do this for host crates, since those
313     // may be proc macros, in which case we might ship them.
314     if env::var_os("RUSTC_FORCE_UNSTABLE").is_some() && (stage != "0" || target.is_some()) {
315         cmd.arg("-Z").arg("force-unstable-if-unmarked");
316     }
317
318     if env::var_os("RUSTC_PARALLEL_COMPILER").is_some() {
319         cmd.arg("--cfg").arg("parallel_compiler");
320     }
321
322     if env::var_os("RUSTC_DENY_WARNINGS").is_some() && env::var_os("RUSTC_EXTERNAL_TOOL").is_none()
323     {
324         cmd.arg("-Dwarnings");
325         cmd.arg("-Dbare_trait_objects");
326     }
327
328     if verbose > 1 {
329         eprintln!(
330             "rustc command: {:?}={:?} {:?}",
331             bootstrap::util::dylib_path_var(),
332             env::join_paths(&dylib_path).unwrap(),
333             cmd,
334         );
335         eprintln!("sysroot: {:?}", sysroot);
336         eprintln!("libdir: {:?}", libdir);
337     }
338
339     if let Some(mut on_fail) = on_fail {
340         let e = match cmd.status() {
341             Ok(s) if s.success() => std::process::exit(0),
342             e => e,
343         };
344         println!("\nDid not run successfully: {:?}\n{:?}\n-------------", e, cmd);
345         exec_cmd(&mut on_fail).expect("could not run the backup command");
346         std::process::exit(1);
347     }
348
349     if env::var_os("RUSTC_PRINT_STEP_TIMINGS").is_some() {
350         if let Some(krate) = maybe_crate {
351             let start = Instant::now();
352             let status = cmd
353                 .status()
354                 .unwrap_or_else(|_| panic!("\n\n failed to run {:?}", cmd));
355             let dur = start.elapsed();
356
357             let is_test = args.iter().any(|a| a == "--test");
358             eprintln!("[RUSTC-TIMING] {} test:{} {}.{:03}",
359                       krate.to_string_lossy(),
360                       is_test,
361                       dur.as_secs(),
362                       dur.subsec_nanos() / 1_000_000);
363
364             match status.code() {
365                 Some(i) => std::process::exit(i),
366                 None => {
367                     eprintln!("rustc exited with {}", status);
368                     std::process::exit(0xfe);
369                 }
370             }
371         }
372     }
373
374     let code = exec_cmd(&mut cmd).unwrap_or_else(|_| panic!("\n\n failed to run {:?}", cmd));
375     std::process::exit(code);
376 }
377
378 #[cfg(unix)]
379 fn exec_cmd(cmd: &mut Command) -> io::Result<i32> {
380     use std::os::unix::process::CommandExt;
381     Err(cmd.exec())
382 }
383
384 #[cfg(not(unix))]
385 fn exec_cmd(cmd: &mut Command) -> io::Result<i32> {
386     cmd.status().map(|status| status.code().unwrap())
387 }