bootstrap/core/builder/cargo.rs
1use std::env;
2use std::ffi::{OsStr, OsString};
3use std::path::{Path, PathBuf};
4
5use super::{Builder, Kind};
6use crate::core::build_steps::test;
7use crate::core::build_steps::tool::SourceType;
8use crate::core::config::SplitDebuginfo;
9use crate::core::config::flags::Color;
10use crate::utils::build_stamp;
11use crate::utils::helpers::{self, LldThreads, check_cfg_arg, linker_flags};
12use crate::{
13 BootstrapCommand, CLang, Compiler, Config, DryRun, EXTRA_CHECK_CFGS, GitRepo, Mode,
14 RemapScheme, TargetSelection, command, prepare_behaviour_dump_dir, t,
15};
16
17/// Represents flag values in `String` form with whitespace delimiter to pass it to the compiler
18/// later.
19///
20/// `-Z crate-attr` flags will be applied recursively on the target code using the
21/// `rustc_parse::parser::Parser`. See `rustc_builtin_macros::cmdline_attrs::inject` for more
22/// information.
23#[derive(Debug, Clone)]
24struct Rustflags(String, TargetSelection);
25
26impl Rustflags {
27 fn new(target: TargetSelection) -> Rustflags {
28 Rustflags(String::new(), target)
29 }
30
31 /// By default, cargo will pick up on various variables in the environment. However, bootstrap
32 /// reuses those variables to pass additional flags to rustdoc, so by default they get
33 /// overridden. Explicitly add back any previous value in the environment.
34 ///
35 /// `prefix` is usually `RUSTFLAGS` or `RUSTDOCFLAGS`.
36 fn propagate_cargo_env(&mut self, prefix: &str) {
37 // Inherit `RUSTFLAGS` by default ...
38 self.env(prefix);
39
40 // ... and also handle target-specific env RUSTFLAGS if they're configured.
41 let target_specific = format!("CARGO_TARGET_{}_{}", crate::envify(&self.1.triple), prefix);
42 self.env(&target_specific);
43 }
44
45 fn env(&mut self, env: &str) {
46 if let Ok(s) = env::var(env) {
47 for part in s.split(' ') {
48 self.arg(part);
49 }
50 }
51 }
52
53 fn arg(&mut self, arg: &str) -> &mut Self {
54 assert_eq!(arg.split(' ').count(), 1);
55 if !self.0.is_empty() {
56 self.0.push(' ');
57 }
58 self.0.push_str(arg);
59 self
60 }
61
62 fn propagate_rustflag_envs(&mut self, build_compiler_stage: u32) {
63 self.propagate_cargo_env("RUSTFLAGS");
64 if build_compiler_stage != 0 {
65 self.env("RUSTFLAGS_NOT_BOOTSTRAP");
66 } else {
67 self.env("RUSTFLAGS_BOOTSTRAP");
68 self.arg("--cfg=bootstrap");
69 }
70 }
71}
72
73/// Flags that are passed to the `rustc` shim binary. These flags will only be applied when
74/// compiling host code, i.e. when `--target` is unset.
75#[derive(Debug, Default)]
76struct HostFlags {
77 rustc: Vec<String>,
78}
79
80impl HostFlags {
81 const SEPARATOR: &'static str = " ";
82
83 /// Adds a host rustc flag.
84 fn arg<S: Into<String>>(&mut self, flag: S) {
85 let value = flag.into().trim().to_string();
86 assert!(!value.contains(Self::SEPARATOR));
87 self.rustc.push(value);
88 }
89
90 /// Encodes all the flags into a single string.
91 fn encode(self) -> String {
92 self.rustc.join(Self::SEPARATOR)
93 }
94}
95
96#[derive(Debug)]
97pub struct Cargo {
98 command: BootstrapCommand,
99 args: Vec<OsString>,
100 compiler: Compiler,
101 mode: Mode,
102 target: TargetSelection,
103 rustflags: Rustflags,
104 rustdocflags: Rustflags,
105 hostflags: HostFlags,
106 allow_features: String,
107 build_compiler_stage: u32,
108 extra_rustflags: Vec<String>,
109 profile: Option<&'static str>,
110}
111
112impl Cargo {
113 /// Calls [`Builder::cargo`] and [`Cargo::configure_linker`] to prepare an invocation of `cargo`
114 /// to be run.
115 #[track_caller]
116 pub fn new(
117 builder: &Builder<'_>,
118 compiler: Compiler,
119 mode: Mode,
120 source_type: SourceType,
121 target: TargetSelection,
122 cmd_kind: Kind,
123 ) -> Cargo {
124 let mut cargo = builder.cargo(compiler, mode, source_type, target, cmd_kind);
125 if target.synthetic {
126 cargo.arg("-Zjson-target-spec");
127 }
128
129 match cmd_kind {
130 // No need to configure the target linker for these command types.
131 Kind::Clean | Kind::Check | Kind::Format | Kind::Setup => {}
132 _ => {
133 cargo.configure_linker(builder);
134 }
135 }
136
137 cargo
138 }
139
140 pub fn release_build(&mut self, release_build: bool) {
141 self.profile = if release_build { Some("release") } else { None };
142 }
143
144 pub fn profile(&mut self, profile: &'static str) {
145 self.profile = Some(profile);
146 }
147
148 pub fn compiler(&self) -> Compiler {
149 self.compiler
150 }
151
152 pub fn mode(&self) -> Mode {
153 self.mode
154 }
155
156 pub fn into_cmd(self) -> BootstrapCommand {
157 self.into()
158 }
159
160 /// Same as [`Cargo::new`] except this one doesn't configure the linker with
161 /// [`Cargo::configure_linker`].
162 #[track_caller]
163 pub fn new_for_mir_opt_tests(
164 builder: &Builder<'_>,
165 compiler: Compiler,
166 mode: Mode,
167 source_type: SourceType,
168 target: TargetSelection,
169 cmd_kind: Kind,
170 ) -> Cargo {
171 let mut cargo = builder.cargo(compiler, mode, source_type, target, cmd_kind);
172 if target.synthetic {
173 cargo.arg("-Zjson-target-spec");
174 }
175 cargo
176 }
177
178 pub fn rustdocflag(&mut self, arg: &str) -> &mut Cargo {
179 self.rustdocflags.arg(arg);
180 self
181 }
182
183 pub fn rustflag(&mut self, arg: &str) -> &mut Cargo {
184 self.rustflags.arg(arg);
185 self
186 }
187
188 pub fn arg(&mut self, arg: impl AsRef<OsStr>) -> &mut Cargo {
189 self.args.push(arg.as_ref().into());
190 self
191 }
192
193 pub fn args<I, S>(&mut self, args: I) -> &mut Cargo
194 where
195 I: IntoIterator<Item = S>,
196 S: AsRef<OsStr>,
197 {
198 for arg in args {
199 self.arg(arg.as_ref());
200 }
201 self
202 }
203
204 /// Add an env var to the cargo command instance. Note that `RUSTFLAGS`/`RUSTDOCFLAGS` must go
205 /// through [`Cargo::rustdocflags`] and [`Cargo::rustflags`] because inconsistent `RUSTFLAGS`
206 /// and `RUSTDOCFLAGS` usages will trigger spurious rebuilds.
207 pub fn env(&mut self, key: impl AsRef<OsStr>, value: impl AsRef<OsStr>) -> &mut Cargo {
208 assert_ne!(key.as_ref(), "RUSTFLAGS");
209 assert_ne!(key.as_ref(), "RUSTDOCFLAGS");
210 self.command.env(key.as_ref(), value.as_ref());
211 self
212 }
213
214 /// Append a value to an env var of the cargo command instance.
215 /// If the variable was unset previously, this is equivalent to [`Cargo::env`].
216 /// If the variable was already set, this will append `delimiter` and then `value` to it.
217 ///
218 /// Note that this only considers the existence of the env. var. configured on this `Cargo`
219 /// instance. It does not look at the environment of this process.
220 pub fn append_to_env(
221 &mut self,
222 key: impl AsRef<OsStr>,
223 value: impl AsRef<OsStr>,
224 delimiter: impl AsRef<OsStr>,
225 ) -> &mut Cargo {
226 assert_ne!(key.as_ref(), "RUSTFLAGS");
227 assert_ne!(key.as_ref(), "RUSTDOCFLAGS");
228
229 let key = key.as_ref();
230 if let Some((_, Some(previous_value))) = self.command.get_envs().find(|(k, _)| *k == key) {
231 let mut combined: OsString = previous_value.to_os_string();
232 combined.push(delimiter.as_ref());
233 combined.push(value.as_ref());
234 self.env(key, combined)
235 } else {
236 self.env(key, value)
237 }
238 }
239
240 pub fn add_rustc_lib_path(&mut self, builder: &Builder<'_>) {
241 builder.add_rustc_lib_path(self.compiler, &mut self.command);
242 }
243
244 pub fn current_dir(&mut self, dir: &Path) -> &mut Cargo {
245 self.command.current_dir(dir);
246 self
247 }
248
249 /// Adds nightly-only features that this invocation is allowed to use.
250 ///
251 /// By default, all nightly features are allowed. Once this is called, it will be restricted to
252 /// the given set.
253 pub fn allow_features(&mut self, features: &str) -> &mut Cargo {
254 if !self.allow_features.is_empty() {
255 self.allow_features.push(',');
256 }
257 self.allow_features.push_str(features);
258 self
259 }
260
261 // FIXME(onur-ozkan): Add coverage to make sure modifications to this function
262 // doesn't cause cache invalidations (e.g., #130108).
263 fn configure_linker(&mut self, builder: &Builder<'_>) -> &mut Cargo {
264 let target = self.target;
265 let compiler = self.compiler;
266
267 // Dealing with rpath here is a little special, so let's go into some
268 // detail. First off, `-rpath` is a linker option on Unix platforms
269 // which adds to the runtime dynamic loader path when looking for
270 // dynamic libraries. We use this by default on Unix platforms to ensure
271 // that our nightlies behave the same on Windows, that is they work out
272 // of the box. This can be disabled by setting `rpath = false` in `[rust]`
273 // table of `bootstrap.toml`
274 //
275 // Ok, so the astute might be wondering "why isn't `-C rpath` used
276 // here?" and that is indeed a good question to ask. This codegen
277 // option is the compiler's current interface to generating an rpath.
278 // Unfortunately it doesn't quite suffice for us. The flag currently
279 // takes no value as an argument, so the compiler calculates what it
280 // should pass to the linker as `-rpath`. This unfortunately is based on
281 // the **compile time** directory structure which when building with
282 // Cargo will be very different than the runtime directory structure.
283 //
284 // All that's a really long winded way of saying that if we use
285 // `-Crpath` then the executables generated have the wrong rpath of
286 // something like `$ORIGIN/deps` when in fact the way we distribute
287 // rustc requires the rpath to be `$ORIGIN/../lib`.
288 //
289 // So, all in all, to set up the correct rpath we pass the linker
290 // argument manually via `-C link-args=-Wl,-rpath,...`. Plus isn't it
291 // fun to pass a flag to a tool to pass a flag to pass a flag to a tool
292 // to change a flag in a binary?
293 if builder.config.rpath_enabled(target) && helpers::use_host_linker(target) {
294 let libdir = builder.sysroot_libdir_relative(compiler).to_str().unwrap();
295 let rpath = if target.contains("apple") {
296 // Note that we need to take one extra step on macOS to also pass
297 // `-Wl,-instal_name,@rpath/...` to get things to work right. To
298 // do that we pass a weird flag to the compiler to get it to do
299 // so. Note that this is definitely a hack, and we should likely
300 // flesh out rpath support more fully in the future.
301 self.rustflags.arg("-Zosx-rpath-install-name");
302 Some(format!("-Wl,-rpath,@loader_path/../{libdir}"))
303 } else if !target.is_windows()
304 && !target.contains("cygwin")
305 && !target.contains("aix")
306 && !target.contains("xous")
307 {
308 self.rustflags.arg("-Clink-args=-Wl,-z,origin");
309 Some(format!("-Wl,-rpath,$ORIGIN/../{libdir}"))
310 } else {
311 None
312 };
313 if let Some(rpath) = rpath {
314 self.rustflags.arg(&format!("-Clink-args={rpath}"));
315 }
316 }
317
318 // We need to set host linker flags for compiling build scripts and proc-macros.
319 // This is done the same way as the target linker flags below, so cargo won't see
320 // any fingerprint difference between host==target versus cross-compiled targets
321 // when it comes to those host build artifacts.
322 if let Some(host_linker) = builder.linker(compiler.host) {
323 let host = crate::envify(&compiler.host.triple);
324 self.command.env(format!("CARGO_TARGET_{host}_LINKER"), host_linker);
325 }
326 for arg in linker_flags(builder, compiler.host, LldThreads::Yes) {
327 self.hostflags.arg(&arg);
328 }
329
330 if let Some(target_linker) = builder.linker(target) {
331 let target = crate::envify(&target.triple);
332 self.command.env(format!("CARGO_TARGET_{target}_LINKER"), target_linker);
333 }
334 // We want to set -Clinker using Cargo, therefore we only call `linker_flags` and not
335 // `linker_args` here. Cargo will pass that to both rustc and rustdoc invocations.
336 for flag in linker_flags(builder, target, LldThreads::Yes) {
337 self.rustflags.arg(&flag);
338 }
339 for arg in linker_flags(builder, target, LldThreads::Yes) {
340 self.rustdocflags.arg(&arg);
341 }
342
343 if !builder.config.dry_run() && builder.cc[&target].args().iter().any(|arg| arg == "-gz") {
344 self.rustflags.arg("-Clink-arg=-gz");
345 }
346
347 // Throughout the build Cargo can execute a number of build scripts
348 // compiling C/C++ code and we need to pass compilers, archivers, flags, etc
349 // obtained previously to those build scripts.
350 // Build scripts use either the `cc` crate or `configure/make` so we pass
351 // the options through environment variables that are fetched and understood by both.
352 //
353 // FIXME: the guard against msvc shouldn't need to be here
354 if target.is_msvc() {
355 if let Some(ref cl) = builder.config.llvm_clang_cl {
356 // FIXME: There is a bug in Clang 18 when building for ARM64:
357 // https://github.com/llvm/llvm-project/pull/81849. This is
358 // fixed in LLVM 19, but can't be backported.
359 if !target.starts_with("aarch64") && !target.starts_with("arm64ec") {
360 self.command.env("CC", cl).env("CXX", cl);
361 }
362 }
363 } else {
364 let ccache = builder.config.ccache.as_ref();
365 let ccacheify = |s: &Path| {
366 let ccache = match ccache {
367 Some(ref s) => s,
368 None => return s.display().to_string(),
369 };
370 // FIXME: the cc-rs crate only recognizes the literal strings
371 // `ccache` and `sccache` when doing caching compilations, so we
372 // mirror that here. It should probably be fixed upstream to
373 // accept a new env var or otherwise work with custom ccache
374 // vars.
375 match &ccache[..] {
376 "ccache" | "sccache" => format!("{} {}", ccache, s.display()),
377 _ => s.display().to_string(),
378 }
379 };
380 let triple_underscored = target.triple.replace('-', "_");
381 let cc = ccacheify(&builder.cc(target));
382 self.command.env(format!("CC_{triple_underscored}"), &cc);
383
384 // Extend `CXXFLAGS_$TARGET` with our extra flags.
385 let env = format!("CFLAGS_{triple_underscored}");
386 let mut cflags =
387 builder.cc_unhandled_cflags(target, GitRepo::Rustc, CLang::C).join(" ");
388 if let Ok(var) = std::env::var(&env) {
389 cflags.push(' ');
390 cflags.push_str(&var);
391 }
392 self.command.env(env, &cflags);
393
394 if let Some(ar) = builder.ar(target) {
395 let ranlib = format!("{} s", ar.display());
396 self.command
397 .env(format!("AR_{triple_underscored}"), ar)
398 .env(format!("RANLIB_{triple_underscored}"), ranlib);
399 }
400
401 if let Ok(cxx) = builder.cxx(target) {
402 let cxx = ccacheify(&cxx);
403 self.command.env(format!("CXX_{triple_underscored}"), &cxx);
404
405 // Extend `CXXFLAGS_$TARGET` with our extra flags.
406 let env = format!("CXXFLAGS_{triple_underscored}");
407 let mut cxxflags =
408 builder.cc_unhandled_cflags(target, GitRepo::Rustc, CLang::Cxx).join(" ");
409 if let Ok(var) = std::env::var(&env) {
410 cxxflags.push(' ');
411 cxxflags.push_str(&var);
412 }
413 self.command.env(&env, cxxflags);
414 }
415 }
416
417 self
418 }
419}
420
421impl From<Cargo> for BootstrapCommand {
422 fn from(mut cargo: Cargo) -> BootstrapCommand {
423 if let Some(profile) = cargo.profile {
424 cargo.args.insert(0, format!("--profile={profile}").into());
425 }
426
427 for arg in &cargo.extra_rustflags {
428 cargo.rustflags.arg(arg);
429 cargo.rustdocflags.arg(arg);
430 }
431
432 // Propagate the envs here at the very end to make sure they override any previously set flags.
433 cargo.rustflags.propagate_rustflag_envs(cargo.build_compiler_stage);
434 cargo.rustdocflags.propagate_rustflag_envs(cargo.build_compiler_stage);
435
436 cargo.rustdocflags.propagate_cargo_env("RUSTDOCFLAGS");
437
438 if cargo.build_compiler_stage == 0 {
439 cargo.rustdocflags.env("RUSTDOCFLAGS_BOOTSTRAP");
440 if let Ok(s) = env::var("CARGOFLAGS_BOOTSTRAP") {
441 cargo.args(s.split_whitespace());
442 }
443 } else {
444 cargo.rustdocflags.env("RUSTDOCFLAGS_NOT_BOOTSTRAP");
445 if let Ok(s) = env::var("CARGOFLAGS_NOT_BOOTSTRAP") {
446 cargo.args(s.split_whitespace());
447 }
448 }
449
450 if let Ok(s) = env::var("CARGOFLAGS") {
451 cargo.args(s.split_whitespace());
452 }
453
454 cargo.command.args(cargo.args);
455
456 let rustflags = &cargo.rustflags.0;
457 if !rustflags.is_empty() {
458 cargo.command.env("RUSTFLAGS", rustflags);
459 }
460
461 let rustdocflags = &cargo.rustdocflags.0;
462 if !rustdocflags.is_empty() {
463 cargo.command.env("RUSTDOCFLAGS", rustdocflags);
464 }
465
466 let encoded_hostflags = cargo.hostflags.encode();
467 if !encoded_hostflags.is_empty() {
468 cargo.command.env("RUSTC_HOST_FLAGS", encoded_hostflags);
469 }
470
471 if !cargo.allow_features.is_empty() {
472 cargo.command.env("RUSTC_ALLOW_FEATURES", cargo.allow_features);
473 }
474
475 cargo.command
476 }
477}
478
479impl Builder<'_> {
480 /// Like [`Builder::cargo`], but only passes flags that are valid for all commands.
481 #[track_caller]
482 pub fn bare_cargo(
483 &self,
484 compiler: Compiler,
485 mode: Mode,
486 target: TargetSelection,
487 cmd_kind: Kind,
488 ) -> BootstrapCommand {
489 let mut cargo = match cmd_kind {
490 Kind::Clippy => {
491 let mut cargo = self.cargo_clippy_cmd(compiler);
492 cargo.arg(cmd_kind.as_str());
493 cargo
494 }
495 Kind::MiriSetup => {
496 let mut cargo = self.cargo_miri_cmd(compiler);
497 cargo.arg("miri").arg("setup");
498 cargo
499 }
500 Kind::MiriTest => {
501 let mut cargo = self.cargo_miri_cmd(compiler);
502 cargo.arg("miri").arg("test");
503 cargo
504 }
505 _ => {
506 let mut cargo = command(&self.initial_cargo);
507 cargo.arg(cmd_kind.as_str());
508 cargo
509 }
510 };
511
512 // Run cargo from the source root so it can find .cargo/config.
513 // This matters when using vendoring and the working directory is outside the repository.
514 cargo.current_dir(&self.src);
515
516 let out_dir = self.stage_out(compiler, mode);
517 cargo.env("CARGO_TARGET_DIR", &out_dir);
518
519 // Set this unconditionally. Cargo silently ignores `CARGO_BUILD_WARNINGS` when `-Z
520 // warnings` isn't present, which is hard to debug, and it's not worth the effort to keep
521 // them in sync.
522 cargo.arg("-Zwarnings");
523
524 // Bootstrap makes a lot of assumptions about the artifacts produced in the target
525 // directory. If users override the "build directory" using `build-dir`
526 // (https://doc.rust-lang.org/nightly/cargo/reference/unstable.html#build-dir), then
527 // bootstrap couldn't find these artifacts. So we forcefully override that option to our
528 // target directory here.
529 // In the future, we could attempt to read the build-dir location from Cargo and actually
530 // respect it.
531 cargo.env("CARGO_BUILD_BUILD_DIR", &out_dir);
532
533 // Found with `rg "init_env_logger\("`. If anyone uses `init_env_logger`
534 // from out of tree it shouldn't matter, since x.py is only used for
535 // building in-tree.
536 let color_logs = ["RUSTDOC_LOG_COLOR", "RUSTC_LOG_COLOR", "RUST_LOG_COLOR"];
537 match self.build.config.color {
538 Color::Always => {
539 cargo.arg("--color=always");
540 for log in &color_logs {
541 cargo.env(log, "always");
542 }
543 }
544 Color::Never => {
545 cargo.arg("--color=never");
546 for log in &color_logs {
547 cargo.env(log, "never");
548 }
549 }
550 Color::Auto => {} // nothing to do
551 }
552
553 if cmd_kind != Kind::Install {
554 cargo.arg("--target").arg(target.rustc_target_arg());
555 } else {
556 assert_eq!(target, compiler.host);
557 }
558
559 // Bootstrap only supports modern FIFO jobservers. Older pipe-based jobservers can run into
560 // "invalid file descriptor" errors, as the jobserver file descriptors are not inherited by
561 // scripts like bootstrap.py, while the environment variable is propagated. So, we pass
562 // MAKEFLAGS only if we detect a FIFO jobserver, otherwise we clear it.
563 let has_modern_jobserver = env::var("MAKEFLAGS")
564 .map(|flags| flags.contains("--jobserver-auth=fifo:"))
565 .unwrap_or(false);
566
567 if !has_modern_jobserver {
568 cargo.env_remove("MAKEFLAGS");
569 cargo.env_remove("MFLAGS");
570 }
571
572 cargo
573 }
574
575 /// This will create a [`BootstrapCommand`] that represents a pending execution of cargo. This
576 /// cargo will be configured to use `compiler` as the actual rustc compiler, its output will be
577 /// scoped by `mode`'s output directory, it will pass the `--target` flag for the specified
578 /// `target`, and will be executing the Cargo command `cmd`. `cmd` can be `miri-cmd` for
579 /// commands to be run with Miri.
580 #[track_caller]
581 fn cargo(
582 &self,
583 compiler: Compiler,
584 mode: Mode,
585 source_type: SourceType,
586 target: TargetSelection,
587 cmd_kind: Kind,
588 ) -> Cargo {
589 let mut cargo = self.bare_cargo(compiler, mode, target, cmd_kind);
590 let out_dir = self.stage_out(compiler, mode);
591
592 let mut hostflags = HostFlags::default();
593
594 // Codegen backends are not yet tracked by -Zbinary-dep-depinfo,
595 // so we need to explicitly clear out if they've been updated.
596 for backend in self.codegen_backends(compiler) {
597 build_stamp::clear_if_dirty(self, &out_dir, &backend);
598 }
599
600 if self.config.cmd.timings() {
601 cargo.arg("--timings");
602 }
603
604 if cmd_kind == Kind::Doc {
605 let my_out = match mode {
606 // This is the intended out directory for compiler documentation.
607 Mode::Rustc | Mode::ToolRustcPrivate | Mode::ToolBootstrap | Mode::ToolTarget => {
608 self.compiler_doc_out(target)
609 }
610 Mode::Std => {
611 if self.config.cmd.json() {
612 out_dir.join(target).join("json-doc")
613 } else {
614 out_dir.join(target).join("doc")
615 }
616 }
617 _ => panic!("doc mode {mode:?} not expected"),
618 };
619 let rustdoc = self.rustdoc_for_compiler(compiler);
620 build_stamp::clear_if_dirty(self, &my_out, &rustdoc);
621 }
622
623 let profile_var = |name: &str| cargo_profile_var(name, &self.config, mode);
624
625 // See comment in rustc_llvm/build.rs for why this is necessary, largely llvm-config
626 // needs to not accidentally link to libLLVM in stage0/lib.
627 cargo.env("REAL_LIBRARY_PATH_VAR", helpers::dylib_path_var());
628 if let Some(e) = env::var_os(helpers::dylib_path_var()) {
629 cargo.env("REAL_LIBRARY_PATH", e);
630 }
631
632 // Set a flag for `check`/`clippy`/`fix`, so that certain build
633 // scripts can do less work (i.e. not building/requiring LLVM).
634 if matches!(cmd_kind, Kind::Check | Kind::Clippy | Kind::Fix) {
635 // If we've not yet built LLVM, or it's stale, then bust
636 // the rustc_llvm cache. That will always work, even though it
637 // may mean that on the next non-check build we'll need to rebuild
638 // rustc_llvm. But if LLVM is stale, that'll be a tiny amount
639 // of work comparatively, and we'd likely need to rebuild it anyway,
640 // so that's okay.
641 if crate::core::build_steps::llvm::prebuilt_llvm_config(self, target, false)
642 .should_build()
643 {
644 cargo.env("RUST_CHECK", "1");
645 }
646 }
647
648 let build_compiler_stage = if compiler.stage == 0 && self.local_rebuild {
649 // Assume the local-rebuild rustc already has stage1 features.
650 1
651 } else {
652 compiler.stage
653 };
654
655 // We synthetically interpret a stage0 compiler used to build tools as a
656 // "raw" compiler in that it's the exact snapshot we download. For things like
657 // ToolRustcPrivate, we would have to use the artificial stage0-sysroot compiler instead.
658 let use_snapshot =
659 mode == Mode::ToolBootstrap || (mode == Mode::ToolTarget && build_compiler_stage == 0);
660 assert!(!use_snapshot || build_compiler_stage == 0 || self.local_rebuild);
661
662 let sysroot = if use_snapshot {
663 self.rustc_snapshot_sysroot().to_path_buf()
664 } else {
665 self.sysroot(compiler)
666 };
667 let libdir = self.rustc_libdir(compiler);
668
669 let sysroot_str = sysroot.as_os_str().to_str().expect("sysroot should be UTF-8");
670 if self.is_verbose() && !matches!(self.config.get_dry_run(), DryRun::SelfCheck) {
671 println!("using sysroot {sysroot_str}");
672 }
673
674 let mut rustflags = Rustflags::new(target);
675
676 if cmd_kind == Kind::Clippy {
677 // clippy overwrites sysroot if we pass it to cargo.
678 // Pass it directly to clippy instead.
679 // NOTE: this can't be fixed in clippy because we explicitly don't set `RUSTC`,
680 // so it has no way of knowing the sysroot.
681 rustflags.arg("--sysroot");
682 rustflags.arg(sysroot_str);
683 }
684
685 let use_new_symbol_mangling = self.config.rust_new_symbol_mangling.or_else(|| {
686 if mode != Mode::Std {
687 // The compiler and tools default to the new scheme
688 Some(true)
689 } else {
690 // std follows the flag's default, which per compiler-team#938 is v0 on nightly
691 None
692 }
693 });
694
695 // By default, windows-rs depends on a native library that doesn't get copied into the
696 // sysroot. Passing this cfg enables raw-dylib support instead, which makes the native
697 // library unnecessary. This can be removed when windows-rs enables raw-dylib
698 // unconditionally.
699 if let Mode::Rustc | Mode::ToolRustcPrivate | Mode::ToolBootstrap | Mode::ToolTarget = mode
700 {
701 rustflags.arg("--cfg=windows_raw_dylib");
702 }
703
704 if let Some(usm) = use_new_symbol_mangling {
705 rustflags.arg(if usm {
706 "-Csymbol-mangling-version=v0"
707 } else {
708 "-Csymbol-mangling-version=legacy"
709 });
710 }
711
712 // Always enable move/copy annotations for profiler visibility (non-stage0 only).
713 // Note that -Zannotate-moves is only effective with debugging info enabled.
714 if build_compiler_stage >= 1 {
715 if let Some(limit) = self.config.rust_annotate_moves_size_limit {
716 rustflags.arg(&format!("-Zannotate-moves={limit}"));
717 } else {
718 rustflags.arg("-Zannotate-moves");
719 }
720 }
721
722 // FIXME: the following components don't build with `-Zrandomize-layout` yet:
723 // - rust-analyzer, due to the rowan crate
724 // so we exclude an entire category of steps here due to lack of fine-grained control over
725 // rustflags.
726 if self.config.rust_randomize_layout && mode != Mode::ToolRustcPrivate {
727 rustflags.arg("-Zrandomize-layout");
728 }
729
730 // Enable compile-time checking of `cfg` names, values and Cargo `features`.
731 //
732 // Note: `std`, `alloc` and `core` imports some dependencies by #[path] (like
733 // backtrace, core_simd, std_float, ...), those dependencies have their own
734 // features but cargo isn't involved in the #[path] process and so cannot pass the
735 // complete list of features, so for that reason we don't enable checking of
736 // features for std crates.
737 if mode == Mode::Std {
738 rustflags.arg("--check-cfg=cfg(feature,values(any()))");
739 }
740
741 // Add extra cfg not defined in/by rustc
742 //
743 // Note: Although it would seems that "-Zunstable-options" to `rustflags` is useless as
744 // cargo would implicitly add it, it was discover that sometimes bootstrap only use
745 // `rustflags` without `cargo` making it required.
746 rustflags.arg("-Zunstable-options");
747
748 // Add parallel frontend threads configuration
749 if let Some(threads) = self.config.rust_parallel_frontend_threads {
750 rustflags.arg(&format!("-Zthreads={threads}"));
751 }
752
753 for (restricted_mode, name, values) in EXTRA_CHECK_CFGS {
754 if restricted_mode.is_none() || *restricted_mode == Some(mode) {
755 rustflags.arg(&check_cfg_arg(name, *values));
756
757 if *name == "bootstrap" {
758 // Cargo doesn't pass RUSTFLAGS to proc_macros:
759 // https://github.com/rust-lang/cargo/issues/4423
760 // Thus, if we are on stage 0, we explicitly set `--cfg=bootstrap`.
761 // We also declare that the flag is expected, which we need to do to not
762 // get warnings about it being unexpected.
763 hostflags.arg(check_cfg_arg(name, *values));
764 }
765 }
766 }
767
768 // FIXME(rust-lang/cargo#5754) we shouldn't be using special command arguments
769 // to the host invocation here, but rather Cargo should know what flags to pass rustc
770 // itself.
771 if build_compiler_stage == 0 {
772 hostflags.arg("--cfg=bootstrap");
773 }
774
775 // FIXME: It might be better to use the same value for both `RUSTFLAGS` and `RUSTDOCFLAGS`,
776 // but this breaks CI. At the very least, stage0 `rustdoc` needs `--cfg bootstrap`. See
777 // #71458.
778 let mut rustdocflags = rustflags.clone();
779
780 match mode {
781 Mode::Std | Mode::ToolBootstrap | Mode::ToolStd | Mode::ToolTarget => {}
782 Mode::Rustc | Mode::Codegen | Mode::ToolRustcPrivate => {
783 // Build proc macros both for the host and the target unless proc-macros are not
784 // supported by the target.
785 if target != compiler.host && cmd_kind != Kind::Check {
786 let error = self
787 .rustc_cmd(compiler)
788 .arg("--target")
789 .arg(target.rustc_target_arg())
790 // FIXME(#152709): -Zunstable-options is to handle JSON targets.
791 // Remove when JSON targets are stabilized.
792 .arg("-Zunstable-options")
793 .env("RUSTC_BOOTSTRAP", "1")
794 .arg("--print=file-names")
795 .arg("--crate-type=proc-macro")
796 .arg("-")
797 .stdin(std::process::Stdio::null())
798 .run_capture(self)
799 .stderr();
800
801 let not_supported = error
802 .lines()
803 .any(|line| line.contains("unsupported crate type `proc-macro`"));
804 if !not_supported {
805 cargo.arg("-Zdual-proc-macros");
806 rustflags.arg("-Zdual-proc-macros");
807 }
808 }
809 }
810 }
811
812 // This tells Cargo (and in turn, rustc) to output more complete
813 // dependency information. Most importantly for bootstrap, this
814 // includes sysroot artifacts, like libstd, which means that we don't
815 // need to track those in bootstrap (an error prone process!). This
816 // feature is currently unstable as there may be some bugs and such, but
817 // it represents a big improvement in bootstrap's reliability on
818 // rebuilds, so we're using it here.
819 //
820 // For some additional context, see #63470 (the PR originally adding
821 // this), as well as #63012 which is the tracking issue for this
822 // feature on the rustc side.
823 cargo.arg("-Zbinary-dep-depinfo");
824 let allow_features = match mode {
825 Mode::ToolBootstrap | Mode::ToolStd | Mode::ToolTarget => {
826 // Restrict the allowed features so we don't depend on nightly
827 // accidentally.
828 //
829 // binary-dep-depinfo is used by bootstrap itself for all
830 // compilations.
831 //
832 // Lots of tools depend on proc_macro2 and proc-macro-error.
833 // Those have build scripts which assume nightly features are
834 // available if the `rustc` version is "nighty" or "dev". See
835 // bin/rustc.rs for why that is a problem. Instead of labeling
836 // those features for each individual tool that needs them,
837 // just blanket allow them here.
838 //
839 // If this is ever removed, be sure to add something else in
840 // its place to keep the restrictions in place (or make a way
841 // to unset RUSTC_BOOTSTRAP).
842 "binary-dep-depinfo,proc_macro_span,proc_macro_span_shrink,proc_macro_diagnostic"
843 .to_string()
844 }
845 Mode::Std | Mode::Rustc | Mode::Codegen | Mode::ToolRustcPrivate => String::new(),
846 };
847
848 cargo.arg("-j").arg(self.jobs().to_string());
849
850 // Make cargo emit diagnostics relative to the rustc src dir.
851 cargo.arg(format!("-Zroot-dir={}", self.src.display()));
852
853 if self.config.compile_time_deps {
854 // Build only build scripts and proc-macros for rust-analyzer when requested.
855 cargo.arg("-Zunstable-options");
856 cargo.arg("--compile-time-deps");
857 }
858
859 // FIXME: Temporary fix for https://github.com/rust-lang/cargo/issues/3005
860 // Force cargo to output binaries with disambiguating hashes in the name
861 let mut metadata = if compiler.stage == 0 {
862 // Treat stage0 like a special channel, whether it's a normal prior-
863 // release rustc or a local rebuild with the same version, so we
864 // never mix these libraries by accident.
865 "bootstrap".to_string()
866 } else {
867 self.config.channel.to_string()
868 };
869 // We want to make sure that none of the dependencies between
870 // std/test/rustc unify with one another. This is done for weird linkage
871 // reasons but the gist of the problem is that if librustc, libtest, and
872 // libstd all depend on libc from crates.io (which they actually do) we
873 // want to make sure they all get distinct versions. Things get really
874 // weird if we try to unify all these dependencies right now, namely
875 // around how many times the library is linked in dynamic libraries and
876 // such. If rustc were a static executable or if we didn't ship dylibs
877 // this wouldn't be a problem, but we do, so it is. This is in general
878 // just here to make sure things build right. If you can remove this and
879 // things still build right, please do!
880 match mode {
881 Mode::Std => metadata.push_str("std"),
882 // When we're building rustc tools, they're built with a search path
883 // that contains things built during the rustc build. For example,
884 // bitflags is built during the rustc build, and is a dependency of
885 // rustdoc as well. We're building rustdoc in a different target
886 // directory, though, which means that Cargo will rebuild the
887 // dependency. When we go on to build rustdoc, we'll look for
888 // bitflags, and find two different copies: one built during the
889 // rustc step and one that we just built. This isn't always a
890 // problem, somehow -- not really clear why -- but we know that this
891 // fixes things.
892 Mode::ToolRustcPrivate => metadata.push_str("tool-rustc"),
893 // Same for codegen backends.
894 Mode::Codegen => metadata.push_str("codegen"),
895 _ => {}
896 }
897 // `rustc_driver`'s version number is always `0.0.0`, which can cause linker search path
898 // problems on side-by-side installs because we don't include the version number of the
899 // `rustc_driver` being built. This can cause builds of different version numbers to produce
900 // `librustc_driver*.so` artifacts that end up with identical filename hashes.
901 metadata.push_str(&self.version);
902
903 cargo.env("__CARGO_DEFAULT_LIB_METADATA", &metadata);
904
905 if cmd_kind == Kind::Clippy {
906 rustflags.arg("-Zforce-unstable-if-unmarked");
907 }
908
909 rustflags.arg("-Zmacro-backtrace");
910
911 // Clear the output directory if the real rustc we're using has changed;
912 // Cargo cannot detect this as it thinks rustc is bootstrap/debug/rustc.
913 //
914 // Avoid doing this during dry run as that usually means the relevant
915 // compiler is not yet linked/copied properly.
916 //
917 // Only clear out the directory if we're compiling std; otherwise, we
918 // should let Cargo take care of things for us (via depdep info)
919 if !self.config.dry_run() && mode == Mode::Std && cmd_kind == Kind::Build {
920 build_stamp::clear_if_dirty(self, &out_dir, &self.rustc(compiler));
921 }
922
923 let rustdoc_path = match cmd_kind {
924 Kind::Doc | Kind::Test | Kind::MiriTest => self.rustdoc_for_compiler(compiler),
925 _ => PathBuf::from("/path/to/nowhere/rustdoc/not/required"),
926 };
927
928 // Customize the compiler we're running. Specify the compiler to cargo
929 // as our shim and then pass it some various options used to configure
930 // how the actual compiler itself is called.
931 //
932 // These variables are primarily all read by
933 // src/bootstrap/bin/{rustc.rs,rustdoc.rs}
934 cargo
935 .env("RUSTBUILD_NATIVE_DIR", self.native_dir(target))
936 .env("RUSTC_REAL", self.rustc(compiler))
937 .env("RUSTC_STAGE", build_compiler_stage.to_string())
938 .env("RUSTC_SYSROOT", sysroot)
939 .env("RUSTC_LIBDIR", &libdir)
940 .env("RUSTDOC_LIBDIR", libdir)
941 .env("RUSTDOC", self.bootstrap_out.join("rustdoc"))
942 .env("RUSTDOC_REAL", rustdoc_path)
943 .env("RUSTC_ERROR_METADATA_DST", self.extended_error_dir());
944
945 if self.config.rust_break_on_ice {
946 cargo.env("RUSTC_BREAK_ON_ICE", "1");
947 }
948
949 // Set RUSTC_WRAPPER to the bootstrap shim, which switches between beta and in-tree
950 // sysroot depending on whether we're building build scripts.
951 // NOTE: we intentionally use RUSTC_WRAPPER so that we can support clippy - RUSTC is not
952 // respected by clippy-driver; RUSTC_WRAPPER happens earlier, before clippy runs.
953 cargo.env("RUSTC_WRAPPER", self.bootstrap_out.join("rustc"));
954 // NOTE: we also need to set RUSTC so cargo can run `rustc -vV`; apparently that ignores RUSTC_WRAPPER >:(
955 cargo.env("RUSTC", self.bootstrap_out.join("rustc"));
956
957 // Someone might have set some previous rustc wrapper (e.g.
958 // sccache) before bootstrap overrode it. Respect that variable.
959 if let Some(existing_wrapper) = env::var_os("RUSTC_WRAPPER") {
960 cargo.env("RUSTC_WRAPPER_REAL", existing_wrapper);
961 }
962
963 // If this is for `miri-test`, prepare the sysroots.
964 if cmd_kind == Kind::MiriTest {
965 self.std(compiler, compiler.host);
966 let host_sysroot = self.sysroot(compiler);
967 let miri_sysroot = test::Miri::build_miri_sysroot(self, compiler, target);
968 cargo.env("MIRI_SYSROOT", &miri_sysroot);
969 cargo.env("MIRI_HOST_SYSROOT", &host_sysroot);
970 }
971
972 cargo.env(profile_var("STRIP"), self.config.rust_strip.to_string());
973
974 if let Some(stack_protector) = &self.config.rust_stack_protector {
975 rustflags.arg(&format!("-Zstack-protector={stack_protector}"));
976 }
977
978 let debuginfo_level = match mode {
979 Mode::Rustc | Mode::Codegen => self.config.rust_debuginfo_level_rustc,
980 Mode::Std => self.config.rust_debuginfo_level_std,
981 Mode::ToolBootstrap | Mode::ToolStd | Mode::ToolRustcPrivate | Mode::ToolTarget => {
982 self.config.rust_debuginfo_level_tools
983 }
984 };
985 cargo.env(profile_var("DEBUG"), debuginfo_level.to_string());
986 if let Some(opt_level) = &self.config.rust_optimize.get_opt_level() {
987 cargo.env(profile_var("OPT_LEVEL"), opt_level);
988 }
989 cargo.env(
990 profile_var("DEBUG_ASSERTIONS"),
991 match mode {
992 Mode::Std => self.config.std_debug_assertions,
993 Mode::Rustc | Mode::Codegen => self.config.rustc_debug_assertions,
994 Mode::ToolBootstrap | Mode::ToolStd | Mode::ToolRustcPrivate | Mode::ToolTarget => {
995 self.config.tools_debug_assertions
996 }
997 }
998 .to_string(),
999 );
1000 cargo.env(
1001 profile_var("OVERFLOW_CHECKS"),
1002 if mode == Mode::Std {
1003 self.config.rust_overflow_checks_std.to_string()
1004 } else {
1005 self.config.rust_overflow_checks.to_string()
1006 },
1007 );
1008
1009 match self.config.split_debuginfo(target) {
1010 SplitDebuginfo::Packed => rustflags.arg("-Csplit-debuginfo=packed"),
1011 SplitDebuginfo::Unpacked => rustflags.arg("-Csplit-debuginfo=unpacked"),
1012 SplitDebuginfo::Off => rustflags.arg("-Csplit-debuginfo=off"),
1013 };
1014
1015 if self.config.cmd.bless() {
1016 // Bless `expect!` tests.
1017 cargo.env("UPDATE_EXPECT", "1");
1018 }
1019
1020 // Set an environment variable that tells the rustc/rustdoc wrapper
1021 // binary to pass `-Zforce-unstable-if-unmarked` to the real compiler.
1022 match mode {
1023 // Any library crate that's part of the sysroot should be marked unstable
1024 // (including third-party dependencies), unless it uses a staged_api
1025 // `#![stable(..)]` attribute to explicitly mark itself stable.
1026 Mode::Std | Mode::Codegen | Mode::Rustc => {
1027 cargo.env("RUSTC_FORCE_UNSTABLE", "1");
1028 }
1029
1030 // For everything else, crate stability shouldn't matter, so don't set a flag.
1031 Mode::ToolBootstrap | Mode::ToolRustcPrivate | Mode::ToolStd | Mode::ToolTarget => {}
1032 }
1033
1034 if let Some(x) = self.crt_static(target) {
1035 if x {
1036 rustflags.arg("-Ctarget-feature=+crt-static");
1037 } else {
1038 rustflags.arg("-Ctarget-feature=-crt-static");
1039 }
1040 }
1041
1042 if let Some(x) = self.crt_static(compiler.host) {
1043 let sign = if x { "+" } else { "-" };
1044 hostflags.arg(format!("-Ctarget-feature={sign}crt-static"));
1045 }
1046
1047 // `rustc` needs to know the remapping scheme, in order to know how to reverse it (unremap)
1048 // later. Two env vars are set and made available to the compiler
1049 //
1050 // - `CFG_VIRTUAL_RUST_SOURCE_BASE_DIR`: `rust-src` remap scheme (`NonCompiler`)
1051 // - `CFG_VIRTUAL_RUSTC_DEV_SOURCE_BASE_DIR`: `rustc-dev` remap scheme (`Compiler`)
1052 //
1053 // Keep this scheme in sync with `rustc_metadata::rmeta::decoder`'s
1054 // `try_to_translate_virtual_to_real`.
1055 //
1056 // `RUSTC_DEBUGINFO_MAP` is used to pass through to the underlying rustc
1057 // `--remap-path-prefix`.
1058 match mode {
1059 Mode::Rustc | Mode::Codegen => {
1060 if let Some(ref map_to) =
1061 self.build.debuginfo_map_to(GitRepo::Rustc, RemapScheme::NonCompiler)
1062 {
1063 // Tell the compiler which prefix was used for remapping the standard library
1064 cargo.env("CFG_VIRTUAL_RUST_SOURCE_BASE_DIR", map_to);
1065 }
1066
1067 if let Some(ref map_to) =
1068 self.build.debuginfo_map_to(GitRepo::Rustc, RemapScheme::Compiler)
1069 {
1070 // Tell the compiler which prefix was used for remapping the compiler it-self
1071 cargo.env("CFG_VIRTUAL_RUSTC_DEV_SOURCE_BASE_DIR", map_to);
1072
1073 // When building compiler sources, we want to apply the compiler remap scheme.
1074 let map = [
1075 // Cargo use relative paths for workspace members, so let's remap those.
1076 format!("compiler/={map_to}/compiler"),
1077 // rustc creates absolute paths (in part bc of the `rust-src` unremap
1078 // and for working directory) so let's remap the build directory as well.
1079 format!("{}={map_to}", self.build.src.display()),
1080 ]
1081 .join("\t");
1082 cargo.env("RUSTC_DEBUGINFO_MAP", map);
1083 }
1084 }
1085 Mode::Std
1086 | Mode::ToolBootstrap
1087 | Mode::ToolRustcPrivate
1088 | Mode::ToolStd
1089 | Mode::ToolTarget => {
1090 if let Some(ref map_to) =
1091 self.build.debuginfo_map_to(GitRepo::Rustc, RemapScheme::NonCompiler)
1092 {
1093 // When building the standard library sources, we want to apply the std remap scheme.
1094 let map = [
1095 // Cargo use relative paths for workspace members, so let's remap those.
1096 format!("library/={map_to}/library"),
1097 // rustc creates absolute paths (in part bc of the `rust-src` unremap
1098 // and for working directory) so let's remap the build directory as well.
1099 format!("{}={map_to}", self.build.src.display()),
1100 ]
1101 .join("\t");
1102 cargo.env("RUSTC_DEBUGINFO_MAP", map);
1103 }
1104 }
1105 }
1106
1107 if self.config.rust_remap_debuginfo {
1108 let mut env_var = OsString::new();
1109 if let Some(vendor) = self.build.vendored_crates_path() {
1110 env_var.push(vendor);
1111 env_var.push("=/rust/deps");
1112 } else {
1113 let registry_src = t!(home::cargo_home()).join("registry").join("src");
1114 for entry in t!(std::fs::read_dir(registry_src)) {
1115 if !env_var.is_empty() {
1116 env_var.push("\t");
1117 }
1118 env_var.push(t!(entry).path());
1119 env_var.push("=/rust/deps");
1120 }
1121 }
1122 cargo.env("RUSTC_CARGO_REGISTRY_SRC_TO_REMAP", env_var);
1123 }
1124
1125 // Enable usage of unstable features
1126 cargo.env("RUSTC_BOOTSTRAP", "1");
1127
1128 if matches!(mode, Mode::Std) {
1129 cargo.arg("-Zno-embed-metadata");
1130 }
1131
1132 if self.config.dump_bootstrap_shims {
1133 prepare_behaviour_dump_dir(self.build);
1134
1135 cargo
1136 .env("DUMP_BOOTSTRAP_SHIMS", self.build.out.join("bootstrap-shims-dump"))
1137 .env("BUILD_OUT", &self.build.out)
1138 .env("CARGO_HOME", t!(home::cargo_home()));
1139 };
1140
1141 self.add_rust_test_threads(&mut cargo);
1142
1143 // Almost all of the crates that we compile as part of the bootstrap may
1144 // have a build script, including the standard library. To compile a
1145 // build script, however, it itself needs a standard library! This
1146 // introduces a bit of a pickle when we're compiling the standard
1147 // library itself.
1148 //
1149 // To work around this we actually end up using the snapshot compiler
1150 // (stage0) for compiling build scripts of the standard library itself.
1151 // The stage0 compiler is guaranteed to have a libstd available for use.
1152 //
1153 // For other crates, however, we know that we've already got a standard
1154 // library up and running, so we can use the normal compiler to compile
1155 // build scripts in that situation.
1156 if mode == Mode::Std {
1157 cargo
1158 .env("RUSTC_SNAPSHOT", &self.initial_rustc)
1159 .env("RUSTC_SNAPSHOT_LIBDIR", self.rustc_snapshot_libdir());
1160 } else {
1161 cargo
1162 .env("RUSTC_SNAPSHOT", self.rustc(compiler))
1163 .env("RUSTC_SNAPSHOT_LIBDIR", self.rustc_libdir(compiler));
1164 }
1165
1166 // Tools that use compiler libraries may inherit the `-lLLVM` link
1167 // requirement, but the `-L` library path is not propagated across
1168 // separate Cargo projects. We can add LLVM's library path to the
1169 // rustc args as a workaround.
1170 if (mode == Mode::ToolRustcPrivate || mode == Mode::Codegen)
1171 && let Some(llvm_config) = self.llvm_config(target)
1172 {
1173 let llvm_libdir =
1174 command(llvm_config).cached().arg("--libdir").run_capture_stdout(self).stdout();
1175 if target.is_msvc() {
1176 rustflags.arg(&format!("-Clink-arg=-LIBPATH:{llvm_libdir}"));
1177 } else {
1178 rustflags.arg(&format!("-Clink-arg=-L{llvm_libdir}"));
1179 }
1180 }
1181
1182 // Compile everything except libraries and proc macros with the more
1183 // efficient initial-exec TLS model. This doesn't work with `dlopen`,
1184 // so we can't use it by default in general, but we can use it for tools
1185 // and our own internal libraries.
1186 //
1187 // Cygwin only supports emutls.
1188 if !mode.must_support_dlopen()
1189 && !target.triple.starts_with("powerpc-")
1190 && !target.triple.contains("cygwin")
1191 {
1192 cargo.env("RUSTC_TLS_MODEL_INITIAL_EXEC", "1");
1193 }
1194
1195 // Ignore incremental modes except for stage0, since we're
1196 // not guaranteeing correctness across builds if the compiler
1197 // is changing under your feet.
1198 if self.config.incremental && compiler.stage == 0 {
1199 cargo.env("CARGO_INCREMENTAL", "1");
1200 } else {
1201 // Don't rely on any default setting for incr. comp. in Cargo
1202 cargo.env("CARGO_INCREMENTAL", "0");
1203 }
1204
1205 if let Some(ref on_fail) = self.config.on_fail {
1206 cargo.env("RUSTC_ON_FAIL", on_fail);
1207 }
1208
1209 if self.config.print_step_timings {
1210 cargo.env("RUSTC_PRINT_STEP_TIMINGS", "1");
1211 }
1212
1213 if self.config.print_step_rusage {
1214 cargo.env("RUSTC_PRINT_STEP_RUSAGE", "1");
1215 }
1216
1217 if self.config.backtrace_on_ice {
1218 cargo.env("RUSTC_BACKTRACE_ON_ICE", "1");
1219 }
1220
1221 if self.verbosity >= 2 {
1222 // This provides very useful logs especially when debugging build cache-related stuff.
1223 cargo.env("CARGO_LOG", "cargo::core::compiler::fingerprint=info");
1224 }
1225
1226 cargo.env("RUSTC_VERBOSE", self.verbosity.to_string());
1227
1228 // Downstream forks of the Rust compiler might want to use a custom libc to add support for
1229 // targets that are not yet available upstream. Adding a patch to replace libc with a
1230 // custom one would cause compilation errors though, because Cargo would interpret the
1231 // custom libc as part of the workspace, and apply the check-cfg lints on it.
1232 //
1233 // The libc build script emits check-cfg flags only when this environment variable is set,
1234 // so this line allows the use of custom libcs.
1235 cargo.env("LIBC_CHECK_CFG", "1");
1236
1237 let mut lint_flags = Vec::new();
1238
1239 // Lints for all in-tree code: compiler, rustdoc, cranelift, gcc,
1240 // clippy, rustfmt, rust-analyzer, etc.
1241 if source_type == SourceType::InTree {
1242 // When extending this list, add the new lints to the RUSTFLAGS of the
1243 // build_bootstrap function of src/bootstrap/bootstrap.py as well as
1244 // some code doesn't go through this `rustc` wrapper.
1245 lint_flags.push("-Wrust_2018_idioms");
1246 lint_flags.push("-Wunused_lifetimes");
1247
1248 if self.config.deny_warnings {
1249 // We use this instead of `lint_flags` so that we don't have to rebuild all
1250 // workspace dependencies when `deny-warnings` changes, but we still get an error
1251 // immediately instead of having to wait until the next rebuild.
1252 cargo.env("CARGO_BUILD_WARNINGS", "deny");
1253 }
1254
1255 rustdocflags.arg("-Wrustdoc::invalid_codeblock_attributes");
1256 }
1257
1258 // Lints just for `compiler/` crates.
1259 if mode == Mode::Rustc {
1260 lint_flags.push("-Wrustc::internal");
1261 lint_flags.push("-Drustc::symbol_intern_string_literal");
1262 // FIXME(edition_2024): Change this to `-Wrust_2024_idioms` when all
1263 // of the individual lints are satisfied.
1264 lint_flags.push("-Wkeyword_idents_2024");
1265 lint_flags.push("-Wunreachable_pub");
1266 lint_flags.push("-Wunsafe_op_in_unsafe_fn");
1267 lint_flags.push("-Wunused_crate_dependencies");
1268 }
1269
1270 // This does not use RUSTFLAGS for two reasons.
1271 // - Due to caching issues with Cargo. Clippy is treated as an "in
1272 // tree" tool, but shares the same cache as other "submodule" tools.
1273 // With these options set in RUSTFLAGS, that causes *every* shared
1274 // dependency to be rebuilt. By injecting this into the rustc
1275 // wrapper, this circumvents Cargo's fingerprint detection. This is
1276 // fine because lint flags are always ignored in dependencies.
1277 // Eventually this should be fixed via better support from Cargo.
1278 // - RUSTFLAGS is ignored for proc macro crates that are being built on
1279 // the host (because `--target` is given). But we want the lint flags
1280 // to be applied to proc macro crates.
1281 cargo.env("RUSTC_LINT_FLAGS", lint_flags.join(" "));
1282
1283 if self.config.rust_frame_pointers {
1284 rustflags.arg("-Cforce-frame-pointers=true");
1285 }
1286
1287 // If Control Flow Guard is enabled, pass the `control-flow-guard` flag to rustc
1288 // when compiling the standard library, since this might be linked into the final outputs
1289 // produced by rustc. Since this mitigation is only available on Windows, only enable it
1290 // for the standard library in case the compiler is run on a non-Windows platform.
1291 if cfg!(windows) && mode == Mode::Std && self.config.control_flow_guard {
1292 rustflags.arg("-Ccontrol-flow-guard");
1293 }
1294
1295 // If EHCont Guard is enabled, pass the `-Zehcont-guard` flag to rustc when compiling the
1296 // standard library, since this might be linked into the final outputs produced by rustc.
1297 // Since this mitigation is only available on Windows, only enable it for the standard
1298 // library in case the compiler is run on a non-Windows platform.
1299 if cfg!(windows) && mode == Mode::Std && self.config.ehcont_guard {
1300 rustflags.arg("-Zehcont-guard");
1301 }
1302
1303 // Optionally override the rc.exe when compiling rustc on Windows.
1304 if let Some(windows_rc) = &self.config.windows_rc {
1305 cargo.env("RUSTC_WINDOWS_RC", windows_rc);
1306 }
1307
1308 // For `cargo doc` invocations, make rustdoc print the Rust version into the docs
1309 // This replaces spaces with tabs because RUSTDOCFLAGS does not
1310 // support arguments with regular spaces. Hopefully someday Cargo will
1311 // have space support.
1312 let rust_version = self.rust_version().replace(' ', "\t");
1313 rustdocflags.arg("--crate-version").arg(&rust_version);
1314
1315 // Environment variables *required* throughout the build
1316
1317 // The host this new compiler is being *built* on.
1318 cargo.env("CFG_COMPILER_BUILD_TRIPLE", compiler.host.triple);
1319
1320 // Set this for all builds to make sure doc builds also get it.
1321 cargo.env("CFG_RELEASE_CHANNEL", &self.config.channel);
1322
1323 // verbose cargo output is very noisy, so only enable it with -vv
1324 for _ in 0..self.verbosity.saturating_sub(1) {
1325 cargo.arg("--verbose");
1326 }
1327
1328 match (mode, self.config.rust_codegen_units_std, self.config.rust_codegen_units) {
1329 (Mode::Std, Some(n), _) | (_, _, Some(n)) => {
1330 cargo.env(profile_var("CODEGEN_UNITS"), n.to_string());
1331 }
1332 _ => {
1333 // Don't set anything
1334 }
1335 }
1336
1337 if self.config.locked_deps {
1338 cargo.arg("--locked");
1339 }
1340 if self.config.vendor || self.is_sudo {
1341 cargo.arg("--frozen");
1342 }
1343
1344 // Try to use a sysroot-relative bindir, in case it was configured absolutely.
1345 cargo.env("RUSTC_INSTALL_BINDIR", self.config.bindir_relative());
1346
1347 if self.config.is_running_on_ci() {
1348 // Tell cargo to use colored output for nicer logs in CI, even
1349 // though CI isn't printing to a terminal.
1350 // Also set an explicit `TERM=xterm` so that cargo doesn't warn
1351 // about TERM not being set.
1352 cargo.env("TERM", "xterm").args(["--color=always"]);
1353 };
1354
1355 // When we build Rust dylibs they're all intended for intermediate
1356 // usage, so make sure we pass the -Cprefer-dynamic flag instead of
1357 // linking all deps statically into the dylib.
1358 if matches!(mode, Mode::Std) {
1359 rustflags.arg("-Cprefer-dynamic");
1360 }
1361 if matches!(mode, Mode::Rustc) && !self.link_std_into_rustc_driver(target) {
1362 rustflags.arg("-Cprefer-dynamic");
1363 }
1364
1365 cargo.env(
1366 "RUSTC_LINK_STD_INTO_RUSTC_DRIVER",
1367 if self.link_std_into_rustc_driver(target) { "1" } else { "0" },
1368 );
1369
1370 // When building incrementally we default to a lower ThinLTO import limit
1371 // (unless explicitly specified otherwise). This will produce a somewhat
1372 // slower code but give way better compile times.
1373 {
1374 let limit = match self.config.rust_thin_lto_import_instr_limit {
1375 Some(limit) => Some(limit),
1376 None if self.config.incremental => Some(10),
1377 _ => None,
1378 };
1379
1380 if let Some(limit) = limit
1381 && (build_compiler_stage == 0
1382 || self.config.default_codegen_backend(target).is_llvm())
1383 {
1384 rustflags.arg(&format!("-Cllvm-args=-import-instr-limit={limit}"));
1385 }
1386 }
1387
1388 if matches!(mode, Mode::Std) {
1389 if let Some(mir_opt_level) = self.config.rust_validate_mir_opts {
1390 rustflags.arg("-Zvalidate-mir");
1391 rustflags.arg(&format!("-Zmir-opt-level={mir_opt_level}"));
1392 }
1393 if self.config.rust_randomize_layout {
1394 rustflags.arg("--cfg=randomized_layouts");
1395 }
1396 // Always enable inlining MIR when building the standard library.
1397 // Without this flag, MIR inlining is disabled when incremental compilation is enabled.
1398 // That causes some mir-opt tests which inline functions from the standard library to
1399 // break when incremental compilation is enabled. So this overrides the "no inlining
1400 // during incremental builds" heuristic for the standard library.
1401 rustflags.arg("-Zinline-mir");
1402
1403 // Similarly, we need to keep debug info for functions inlined into other std functions,
1404 // even if we're not going to output debuginfo for the crate we're currently building,
1405 // so that it'll be available when downstream consumers of std try to use it.
1406 rustflags.arg("-Zinline-mir-preserve-debug");
1407
1408 rustflags.arg("-Zmir_strip_debuginfo=locals-in-tiny-functions");
1409 }
1410
1411 // take target-specific extra rustflags if any otherwise take `rust.rustflags`
1412 let extra_rustflags = self
1413 .config
1414 .target_config
1415 .get(&target)
1416 .map(|t| &t.rustflags)
1417 .unwrap_or(&self.config.rust_rustflags)
1418 .clone();
1419
1420 let profile =
1421 if matches!(cmd_kind, Kind::Bench | Kind::Miri | Kind::MiriSetup | Kind::MiriTest) {
1422 // Use the default profile for bench/miri
1423 None
1424 } else {
1425 match (mode, self.config.rust_optimize.is_release()) {
1426 // Some std configuration exists in its own profile
1427 (Mode::Std, _) => Some("dist"),
1428 (_, true) => Some("release"),
1429 (_, false) => Some("dev"),
1430 }
1431 };
1432
1433 Cargo {
1434 command: cargo,
1435 args: vec![],
1436 compiler,
1437 mode,
1438 target,
1439 rustflags,
1440 rustdocflags,
1441 hostflags,
1442 allow_features,
1443 build_compiler_stage,
1444 extra_rustflags,
1445 profile,
1446 }
1447 }
1448}
1449
1450pub fn cargo_profile_var(name: &str, config: &Config, mode: Mode) -> String {
1451 let profile = match (mode, config.rust_optimize.is_release()) {
1452 // Some std configuration exists in its own profile
1453 (Mode::Std, _) => "DIST",
1454 (_, true) => "RELEASE",
1455 (_, false) => "DEV",
1456 };
1457 format!("CARGO_PROFILE_{profile}_{name}")
1458}