]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/bin/rustc.rs
Rollup merge of #60187 - tmandry:generator-optimization, r=eddyb
[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         .env(bootstrap::util::dylib_path_var(),
93              env::join_paths(&dylib_path).unwrap());
94     let mut maybe_crate = None;
95
96     // Non-zero stages must all be treated uniformly to avoid problems when attempting to uplift
97     // compiler libraries and such from stage 1 to 2.
98     if stage == "0" {
99         cmd.arg("--cfg").arg("bootstrap");
100     }
101
102     // Print backtrace in case of ICE
103     if env::var("RUSTC_BACKTRACE_ON_ICE").is_ok() && env::var("RUST_BACKTRACE").is_err() {
104         cmd.env("RUST_BACKTRACE", "1");
105     }
106
107     cmd.env("RUSTC_BREAK_ON_ICE", "1");
108
109     if let Ok(debuginfo_level) = env::var("RUSTC_DEBUGINFO_LEVEL") {
110         cmd.arg(format!("-Cdebuginfo={}", debuginfo_level));
111     }
112
113     if let Some(target) = target {
114         // The stage0 compiler has a special sysroot distinct from what we
115         // actually downloaded, so we just always pass the `--sysroot` option.
116         cmd.arg("--sysroot").arg(&sysroot);
117
118         cmd.arg("-Zexternal-macro-backtrace");
119
120         // Link crates to the proc macro crate for the target, but use a host proc macro crate
121         // to actually run the macros
122         if env::var_os("RUST_DUAL_PROC_MACROS").is_some() {
123             cmd.arg("-Zdual-proc-macros");
124         }
125
126         // When we build Rust dylibs they're all intended for intermediate
127         // usage, so make sure we pass the -Cprefer-dynamic flag instead of
128         // linking all deps statically into the dylib.
129         if env::var_os("RUSTC_NO_PREFER_DYNAMIC").is_none() {
130             cmd.arg("-Cprefer-dynamic");
131         }
132
133         // Help the libc crate compile by assisting it in finding various
134         // sysroot native libraries.
135         if let Some(s) = env::var_os("MUSL_ROOT") {
136             if target.contains("musl") {
137                 let mut root = OsString::from("native=");
138                 root.push(&s);
139                 root.push("/lib");
140                 cmd.arg("-L").arg(&root);
141             }
142         }
143         if let Some(s) = env::var_os("WASI_ROOT") {
144             let mut root = OsString::from("native=");
145             root.push(&s);
146             root.push("/lib/wasm32-wasi");
147             cmd.arg("-L").arg(&root);
148         }
149
150         // Override linker if necessary.
151         if let Ok(target_linker) = env::var("RUSTC_TARGET_LINKER") {
152             cmd.arg(format!("-Clinker={}", target_linker));
153         }
154
155         let crate_name = args.windows(2)
156             .find(|a| &*a[0] == "--crate-name")
157             .unwrap();
158         let crate_name = &*crate_name[1];
159         maybe_crate = Some(crate_name);
160
161         // If we're compiling specifically the `panic_abort` crate then we pass
162         // the `-C panic=abort` option. Note that we do not do this for any
163         // other crate intentionally as this is the only crate for now that we
164         // ship with panic=abort.
165         //
166         // This... is a bit of a hack how we detect this. Ideally this
167         // information should be encoded in the crate I guess? Would likely
168         // require an RFC amendment to RFC 1513, however.
169         //
170         // `compiler_builtins` are unconditionally compiled with panic=abort to
171         // workaround undefined references to `rust_eh_unwind_resume` generated
172         // otherwise, see issue https://github.com/rust-lang/rust/issues/43095.
173         if crate_name == "panic_abort" ||
174            crate_name == "compiler_builtins" && stage != "0" {
175             cmd.arg("-C").arg("panic=abort");
176         }
177
178         // Set various options from config.toml to configure how we're building
179         // code.
180         let debug_assertions = match env::var("RUSTC_DEBUG_ASSERTIONS") {
181             Ok(s) => if s == "true" { "y" } else { "n" },
182             Err(..) => "n",
183         };
184
185         // The compiler builtins are pretty sensitive to symbols referenced in
186         // libcore and such, so we never compile them with debug assertions.
187         if crate_name == "compiler_builtins" {
188             cmd.arg("-C").arg("debug-assertions=no");
189         } else {
190             cmd.arg("-C").arg(format!("debug-assertions={}", debug_assertions));
191         }
192
193         if let Ok(s) = env::var("RUSTC_CODEGEN_UNITS") {
194             cmd.arg("-C").arg(format!("codegen-units={}", s));
195         }
196
197         // Emit save-analysis info.
198         if env::var("RUSTC_SAVE_ANALYSIS") == Ok("api".to_string()) {
199             cmd.arg("-Zsave-analysis");
200             cmd.env("RUST_SAVE_ANALYSIS_CONFIG",
201                     "{\"output_file\": null,\"full_docs\": false,\
202                      \"pub_only\": true,\"reachable_only\": false,\
203                      \"distro_crate\": true,\"signatures\": false,\"borrow_data\": false}");
204         }
205
206         // Dealing with rpath here is a little special, so let's go into some
207         // detail. First off, `-rpath` is a linker option on Unix platforms
208         // which adds to the runtime dynamic loader path when looking for
209         // dynamic libraries. We use this by default on Unix platforms to ensure
210         // that our nightlies behave the same on Windows, that is they work out
211         // of the box. This can be disabled, of course, but basically that's why
212         // we're gated on RUSTC_RPATH here.
213         //
214         // Ok, so the astute might be wondering "why isn't `-C rpath` used
215         // here?" and that is indeed a good question to task. This codegen
216         // option is the compiler's current interface to generating an rpath.
217         // Unfortunately it doesn't quite suffice for us. The flag currently
218         // takes no value as an argument, so the compiler calculates what it
219         // should pass to the linker as `-rpath`. This unfortunately is based on
220         // the **compile time** directory structure which when building with
221         // Cargo will be very different than the runtime directory structure.
222         //
223         // All that's a really long winded way of saying that if we use
224         // `-Crpath` then the executables generated have the wrong rpath of
225         // something like `$ORIGIN/deps` when in fact the way we distribute
226         // rustc requires the rpath to be `$ORIGIN/../lib`.
227         //
228         // So, all in all, to set up the correct rpath we pass the linker
229         // argument manually via `-C link-args=-Wl,-rpath,...`. Plus isn't it
230         // fun to pass a flag to a tool to pass a flag to pass a flag to a tool
231         // to change a flag in a binary?
232         if env::var("RUSTC_RPATH") == Ok("true".to_string()) {
233             let rpath = if target.contains("apple") {
234
235                 // Note that we need to take one extra step on macOS to also pass
236                 // `-Wl,-instal_name,@rpath/...` to get things to work right. To
237                 // do that we pass a weird flag to the compiler to get it to do
238                 // so. Note that this is definitely a hack, and we should likely
239                 // flesh out rpath support more fully in the future.
240                 cmd.arg("-Z").arg("osx-rpath-install-name");
241                 Some("-Wl,-rpath,@loader_path/../lib")
242             } else if !target.contains("windows") &&
243                       !target.contains("wasm32") &&
244                       !target.contains("fuchsia") {
245                 Some("-Wl,-rpath,$ORIGIN/../lib")
246             } else {
247                 None
248             };
249             if let Some(rpath) = rpath {
250                 cmd.arg("-C").arg(format!("link-args={}", rpath));
251             }
252         }
253
254         if let Ok(s) = env::var("RUSTC_CRT_STATIC") {
255             if s == "true" {
256                 cmd.arg("-C").arg("target-feature=+crt-static");
257             }
258             if s == "false" {
259                 cmd.arg("-C").arg("target-feature=-crt-static");
260             }
261         }
262
263         // When running miri tests, we need to generate MIR for all libraries
264         if env::var("TEST_MIRI").ok().map_or(false, |val| val == "true") {
265             // The flags here should be kept in sync with `add_miri_default_args`
266             // in miri's `src/lib.rs`.
267             cmd.arg("-Zalways-encode-mir");
268             cmd.arg("--cfg=miri");
269             // These options are preferred by miri, to be able to perform better validation,
270             // but the bootstrap compiler might not understand them.
271             if stage != "0" {
272                 cmd.arg("-Zmir-emit-retag");
273                 cmd.arg("-Zmir-opt-level=0");
274             }
275         }
276
277         if let Ok(map) = env::var("RUSTC_DEBUGINFO_MAP") {
278             cmd.arg("--remap-path-prefix").arg(&map);
279         }
280     } else {
281         // Override linker if necessary.
282         if let Ok(host_linker) = env::var("RUSTC_HOST_LINKER") {
283             cmd.arg(format!("-Clinker={}", host_linker));
284         }
285
286         if let Ok(s) = env::var("RUSTC_HOST_CRT_STATIC") {
287             if s == "true" {
288                 cmd.arg("-C").arg("target-feature=+crt-static");
289             }
290             if s == "false" {
291                 cmd.arg("-C").arg("target-feature=-crt-static");
292             }
293         }
294     }
295
296     // This is required for internal lints.
297     cmd.arg("-Zunstable-options");
298
299     // Force all crates compiled by this compiler to (a) be unstable and (b)
300     // allow the `rustc_private` feature to link to other unstable crates
301     // also in the sysroot. We also do this for host crates, since those
302     // may be proc macros, in which case we might ship them.
303     if env::var_os("RUSTC_FORCE_UNSTABLE").is_some() && (stage != "0" || target.is_some()) {
304         cmd.arg("-Z").arg("force-unstable-if-unmarked");
305     }
306
307     if env::var_os("RUSTC_PARALLEL_COMPILER").is_some() {
308         cmd.arg("--cfg").arg("parallel_compiler");
309     }
310
311     if env::var_os("RUSTC_DENY_WARNINGS").is_some() && env::var_os("RUSTC_EXTERNAL_TOOL").is_none()
312     {
313         cmd.arg("-Dwarnings");
314         cmd.arg("-Dbare_trait_objects");
315         cmd.arg("-Drust_2018_idioms");
316     }
317
318     if verbose > 1 {
319         eprintln!(
320             "rustc command: {:?}={:?} {:?}",
321             bootstrap::util::dylib_path_var(),
322             env::join_paths(&dylib_path).unwrap(),
323             cmd,
324         );
325         eprintln!("sysroot: {:?}", sysroot);
326         eprintln!("libdir: {:?}", libdir);
327     }
328
329     if let Some(mut on_fail) = on_fail {
330         let e = match cmd.status() {
331             Ok(s) if s.success() => std::process::exit(0),
332             e => e,
333         };
334         println!("\nDid not run successfully: {:?}\n{:?}\n-------------", e, cmd);
335         exec_cmd(&mut on_fail).expect("could not run the backup command");
336         std::process::exit(1);
337     }
338
339     if env::var_os("RUSTC_PRINT_STEP_TIMINGS").is_some() {
340         if let Some(krate) = maybe_crate {
341             let start = Instant::now();
342             let status = cmd
343                 .status()
344                 .unwrap_or_else(|_| panic!("\n\n failed to run {:?}", cmd));
345             let dur = start.elapsed();
346
347             let is_test = args.iter().any(|a| a == "--test");
348             eprintln!("[RUSTC-TIMING] {} test:{} {}.{:03}",
349                       krate.to_string_lossy(),
350                       is_test,
351                       dur.as_secs(),
352                       dur.subsec_nanos() / 1_000_000);
353
354             match status.code() {
355                 Some(i) => std::process::exit(i),
356                 None => {
357                     eprintln!("rustc exited with {}", status);
358                     std::process::exit(0xfe);
359                 }
360             }
361         }
362     }
363
364     let code = exec_cmd(&mut cmd).unwrap_or_else(|_| panic!("\n\n failed to run {:?}", cmd));
365     std::process::exit(code);
366 }
367
368 #[cfg(unix)]
369 fn exec_cmd(cmd: &mut Command) -> io::Result<i32> {
370     use std::os::unix::process::CommandExt;
371     Err(cmd.exec())
372 }
373
374 #[cfg(not(unix))]
375 fn exec_cmd(cmd: &mut Command) -> io::Result<i32> {
376     cmd.status().map(|status| status.code().unwrap())
377 }