]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_driver/src/lib.rs
Rollup merge of #105180 - nbdd0121:async_track_caller, r=compiler-errors
[rust.git] / compiler / rustc_driver / src / lib.rs
1 //! The Rust compiler.
2 //!
3 //! # Note
4 //!
5 //! This API is completely unstable and subject to change.
6
7 #![doc(html_root_url = "https://doc.rust-lang.org/nightly/nightly-rustc/")]
8 #![feature(is_terminal)]
9 #![feature(once_cell)]
10 #![feature(decl_macro)]
11 #![recursion_limit = "256"]
12 #![allow(rustc::potential_query_instability)]
13 #![deny(rustc::untranslatable_diagnostic)]
14 #![deny(rustc::diagnostic_outside_of_impl)]
15
16 #[macro_use]
17 extern crate tracing;
18
19 pub extern crate rustc_plugin_impl as plugin;
20
21 use rustc_ast as ast;
22 use rustc_codegen_ssa::{traits::CodegenBackend, CodegenErrors, CodegenResults};
23 use rustc_data_structures::profiling::{get_resident_set_size, print_time_passes_entry};
24 use rustc_data_structures::sync::SeqCst;
25 use rustc_errors::registry::{InvalidErrorCode, Registry};
26 use rustc_errors::{ErrorGuaranteed, PResult};
27 use rustc_feature::find_gated_cfg;
28 use rustc_interface::util::{self, collect_crate_types, get_codegen_backend};
29 use rustc_interface::{interface, Queries};
30 use rustc_lint::LintStore;
31 use rustc_metadata::locator;
32 use rustc_save_analysis as save;
33 use rustc_save_analysis::DumpHandler;
34 use rustc_session::config::{nightly_options, CG_OPTIONS, Z_OPTIONS};
35 use rustc_session::config::{ErrorOutputType, Input, OutputType, PrintRequest, TrimmedDefPaths};
36 use rustc_session::cstore::MetadataLoader;
37 use rustc_session::getopts;
38 use rustc_session::lint::{Lint, LintId};
39 use rustc_session::{config, Session};
40 use rustc_session::{early_error, early_error_no_abort, early_warn};
41 use rustc_span::source_map::{FileLoader, FileName};
42 use rustc_span::symbol::sym;
43 use rustc_target::json::ToJson;
44
45 use std::borrow::Cow;
46 use std::cmp::max;
47 use std::default::Default;
48 use std::env;
49 use std::ffi::OsString;
50 use std::fs;
51 use std::io::{self, IsTerminal, Read, Write};
52 use std::panic::{self, catch_unwind};
53 use std::path::PathBuf;
54 use std::process::{self, Command, Stdio};
55 use std::str;
56 use std::sync::LazyLock;
57 use std::time::Instant;
58
59 pub mod args;
60 pub mod pretty;
61 mod session_diagnostics;
62
63 use crate::session_diagnostics::{
64     RLinkEmptyVersionNumber, RLinkEncodingVersionMismatch, RLinkRustcVersionMismatch,
65     RLinkWrongFileType, RlinkNotAFile, RlinkUnableToRead,
66 };
67
68 /// Exit status code used for successful compilation and help output.
69 pub const EXIT_SUCCESS: i32 = 0;
70
71 /// Exit status code used for compilation failures and invalid flags.
72 pub const EXIT_FAILURE: i32 = 1;
73
74 const BUG_REPORT_URL: &str = "https://github.com/rust-lang/rust/issues/new\
75     ?labels=C-bug%2C+I-ICE%2C+T-compiler&template=ice.md";
76
77 const ICE_REPORT_COMPILER_FLAGS: &[&str] = &["-Z", "-C", "--crate-type"];
78
79 const ICE_REPORT_COMPILER_FLAGS_EXCLUDE: &[&str] = &["metadata", "extra-filename"];
80
81 const ICE_REPORT_COMPILER_FLAGS_STRIP_VALUE: &[&str] = &["incremental"];
82
83 pub fn abort_on_err<T>(result: Result<T, ErrorGuaranteed>, sess: &Session) -> T {
84     match result {
85         Err(..) => {
86             sess.abort_if_errors();
87             panic!("error reported but abort_if_errors didn't abort???");
88         }
89         Ok(x) => x,
90     }
91 }
92
93 pub trait Callbacks {
94     /// Called before creating the compiler instance
95     fn config(&mut self, _config: &mut interface::Config) {}
96     /// Called after parsing. Return value instructs the compiler whether to
97     /// continue the compilation afterwards (defaults to `Compilation::Continue`)
98     fn after_parsing<'tcx>(
99         &mut self,
100         _compiler: &interface::Compiler,
101         _queries: &'tcx Queries<'tcx>,
102     ) -> Compilation {
103         Compilation::Continue
104     }
105     /// Called after expansion. Return value instructs the compiler whether to
106     /// continue the compilation afterwards (defaults to `Compilation::Continue`)
107     fn after_expansion<'tcx>(
108         &mut self,
109         _compiler: &interface::Compiler,
110         _queries: &'tcx Queries<'tcx>,
111     ) -> Compilation {
112         Compilation::Continue
113     }
114     /// Called after analysis. Return value instructs the compiler whether to
115     /// continue the compilation afterwards (defaults to `Compilation::Continue`)
116     fn after_analysis<'tcx>(
117         &mut self,
118         _compiler: &interface::Compiler,
119         _queries: &'tcx Queries<'tcx>,
120     ) -> Compilation {
121         Compilation::Continue
122     }
123 }
124
125 #[derive(Default)]
126 pub struct TimePassesCallbacks {
127     time_passes: bool,
128 }
129
130 impl Callbacks for TimePassesCallbacks {
131     // JUSTIFICATION: the session doesn't exist at this point.
132     #[allow(rustc::bad_opt_access)]
133     fn config(&mut self, config: &mut interface::Config) {
134         // If a --print=... option has been given, we don't print the "total"
135         // time because it will mess up the --print output. See #64339.
136         //
137         self.time_passes = config.opts.prints.is_empty() && config.opts.unstable_opts.time_passes;
138         config.opts.trimmed_def_paths = TrimmedDefPaths::GoodPath;
139     }
140 }
141
142 pub fn diagnostics_registry() -> Registry {
143     Registry::new(rustc_error_codes::DIAGNOSTICS)
144 }
145
146 /// This is the primary entry point for rustc.
147 pub struct RunCompiler<'a, 'b> {
148     at_args: &'a [String],
149     callbacks: &'b mut (dyn Callbacks + Send),
150     file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
151     make_codegen_backend:
152         Option<Box<dyn FnOnce(&config::Options) -> Box<dyn CodegenBackend> + Send>>,
153 }
154
155 impl<'a, 'b> RunCompiler<'a, 'b> {
156     pub fn new(at_args: &'a [String], callbacks: &'b mut (dyn Callbacks + Send)) -> Self {
157         Self { at_args, callbacks, file_loader: None, make_codegen_backend: None }
158     }
159
160     /// Set a custom codegen backend.
161     ///
162     /// Has no uses within this repository, but is used by bjorn3 for "the
163     /// hotswapping branch of cg_clif" for "setting the codegen backend from a
164     /// custom driver where the custom codegen backend has arbitrary data."
165     /// (See #102759.)
166     pub fn set_make_codegen_backend(
167         &mut self,
168         make_codegen_backend: Option<
169             Box<dyn FnOnce(&config::Options) -> Box<dyn CodegenBackend> + Send>,
170         >,
171     ) -> &mut Self {
172         self.make_codegen_backend = make_codegen_backend;
173         self
174     }
175
176     /// Load files from sources other than the file system.
177     ///
178     /// Has no uses within this repository, but may be used in the future by
179     /// bjorn3 for "hooking rust-analyzer's VFS into rustc at some point for
180     /// running rustc without having to save". (See #102759.)
181     pub fn set_file_loader(
182         &mut self,
183         file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
184     ) -> &mut Self {
185         self.file_loader = file_loader;
186         self
187     }
188
189     /// Parse args and run the compiler.
190     pub fn run(self) -> interface::Result<()> {
191         run_compiler(self.at_args, self.callbacks, self.file_loader, self.make_codegen_backend)
192     }
193 }
194
195 fn run_compiler(
196     at_args: &[String],
197     callbacks: &mut (dyn Callbacks + Send),
198     file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
199     make_codegen_backend: Option<
200         Box<dyn FnOnce(&config::Options) -> Box<dyn CodegenBackend> + Send>,
201     >,
202 ) -> interface::Result<()> {
203     let args = args::arg_expand_all(at_args);
204
205     let Some(matches) = handle_options(&args) else { return Ok(()) };
206
207     let sopts = config::build_session_options(&matches);
208
209     if let Some(ref code) = matches.opt_str("explain") {
210         handle_explain(diagnostics_registry(), code, sopts.error_format);
211         return Ok(());
212     }
213
214     let cfg = interface::parse_cfgspecs(matches.opt_strs("cfg"));
215     let check_cfg = interface::parse_check_cfg(matches.opt_strs("check-cfg"));
216     let (odir, ofile) = make_output(&matches);
217     let mut config = interface::Config {
218         opts: sopts,
219         crate_cfg: cfg,
220         crate_check_cfg: check_cfg,
221         input: Input::File(PathBuf::new()),
222         input_path: None,
223         output_file: ofile,
224         output_dir: odir,
225         file_loader,
226         lint_caps: Default::default(),
227         parse_sess_created: None,
228         register_lints: None,
229         override_queries: None,
230         make_codegen_backend,
231         registry: diagnostics_registry(),
232     };
233
234     match make_input(config.opts.error_format, &matches.free) {
235         Err(reported) => return Err(reported),
236         Ok(Some((input, input_file_path))) => {
237             config.input = input;
238             config.input_path = input_file_path;
239
240             callbacks.config(&mut config);
241         }
242         Ok(None) => match matches.free.len() {
243             0 => {
244                 callbacks.config(&mut config);
245                 interface::run_compiler(config, |compiler| {
246                     let sopts = &compiler.session().opts;
247                     if sopts.describe_lints {
248                         let mut lint_store =
249                             rustc_lint::new_lint_store(compiler.session().enable_internal_lints());
250                         let registered_lints =
251                             if let Some(register_lints) = compiler.register_lints() {
252                                 register_lints(compiler.session(), &mut lint_store);
253                                 true
254                             } else {
255                                 false
256                             };
257                         describe_lints(compiler.session(), &lint_store, registered_lints);
258                         return;
259                     }
260                     let should_stop = print_crate_info(
261                         &***compiler.codegen_backend(),
262                         compiler.session(),
263                         None,
264                         compiler.output_dir(),
265                         compiler.output_file(),
266                         compiler.temps_dir(),
267                     );
268
269                     if should_stop == Compilation::Stop {
270                         return;
271                     }
272                     early_error(sopts.error_format, "no input filename given")
273                 });
274                 return Ok(());
275             }
276             1 => panic!("make_input should have provided valid inputs"),
277             _ => early_error(
278                 config.opts.error_format,
279                 &format!(
280                     "multiple input filenames provided (first two filenames are `{}` and `{}`)",
281                     matches.free[0], matches.free[1],
282                 ),
283             ),
284         },
285     };
286
287     interface::run_compiler(config, |compiler| {
288         let sess = compiler.session();
289         let should_stop = print_crate_info(
290             &***compiler.codegen_backend(),
291             sess,
292             Some(compiler.input()),
293             compiler.output_dir(),
294             compiler.output_file(),
295             compiler.temps_dir(),
296         )
297         .and_then(|| {
298             list_metadata(sess, &*compiler.codegen_backend().metadata_loader(), compiler.input())
299         })
300         .and_then(|| try_process_rlink(sess, compiler));
301
302         if should_stop == Compilation::Stop {
303             return sess.compile_status();
304         }
305
306         let linker = compiler.enter(|queries| {
307             let early_exit = || sess.compile_status().map(|_| None);
308             queries.parse()?;
309
310             if let Some(ppm) = &sess.opts.pretty {
311                 if ppm.needs_ast_map() {
312                     let expanded_crate = queries.expansion()?.peek().0.clone();
313                     queries.global_ctxt()?.peek_mut().enter(|tcx| {
314                         pretty::print_after_hir_lowering(
315                             tcx,
316                             compiler.input(),
317                             &*expanded_crate,
318                             *ppm,
319                             compiler.output_file().as_deref(),
320                         );
321                         Ok(())
322                     })?;
323                 } else {
324                     let krate = queries.parse()?.take();
325                     pretty::print_after_parsing(
326                         sess,
327                         compiler.input(),
328                         &krate,
329                         *ppm,
330                         compiler.output_file().as_deref(),
331                     );
332                 }
333                 trace!("finished pretty-printing");
334                 return early_exit();
335             }
336
337             if callbacks.after_parsing(compiler, queries) == Compilation::Stop {
338                 return early_exit();
339             }
340
341             if sess.opts.unstable_opts.parse_only || sess.opts.unstable_opts.show_span.is_some() {
342                 return early_exit();
343             }
344
345             {
346                 let (_, lint_store) = &*queries.register_plugins()?.peek();
347
348                 // Lint plugins are registered; now we can process command line flags.
349                 if sess.opts.describe_lints {
350                     describe_lints(sess, lint_store, true);
351                     return early_exit();
352                 }
353             }
354
355             queries.expansion()?;
356             if callbacks.after_expansion(compiler, queries) == Compilation::Stop {
357                 return early_exit();
358             }
359
360             queries.prepare_outputs()?;
361
362             if sess.opts.output_types.contains_key(&OutputType::DepInfo)
363                 && sess.opts.output_types.len() == 1
364             {
365                 return early_exit();
366             }
367
368             queries.global_ctxt()?;
369
370             if sess.opts.unstable_opts.no_analysis {
371                 return early_exit();
372             }
373
374             queries.global_ctxt()?.peek_mut().enter(|tcx| {
375                 let result = tcx.analysis(());
376                 if sess.opts.unstable_opts.save_analysis {
377                     let crate_name = queries.crate_name()?.peek().clone();
378                     sess.time("save_analysis", || {
379                         save::process_crate(
380                             tcx,
381                             &crate_name,
382                             compiler.input(),
383                             None,
384                             DumpHandler::new(compiler.output_dir().as_deref(), &crate_name),
385                         )
386                     });
387                 }
388                 result
389             })?;
390
391             if callbacks.after_analysis(compiler, queries) == Compilation::Stop {
392                 return early_exit();
393             }
394
395             queries.ongoing_codegen()?;
396
397             if sess.opts.unstable_opts.print_type_sizes {
398                 sess.code_stats.print_type_sizes();
399             }
400
401             let linker = queries.linker()?;
402             Ok(Some(linker))
403         })?;
404
405         if let Some(linker) = linker {
406             let _timer = sess.timer("link");
407             linker.link()?
408         }
409
410         if sess.opts.unstable_opts.perf_stats {
411             sess.print_perf_stats();
412         }
413
414         if sess.opts.unstable_opts.print_fuel.is_some() {
415             eprintln!(
416                 "Fuel used by {}: {}",
417                 sess.opts.unstable_opts.print_fuel.as_ref().unwrap(),
418                 sess.print_fuel.load(SeqCst)
419             );
420         }
421
422         Ok(())
423     })
424 }
425
426 // Extract output directory and file from matches.
427 fn make_output(matches: &getopts::Matches) -> (Option<PathBuf>, Option<PathBuf>) {
428     let odir = matches.opt_str("out-dir").map(|o| PathBuf::from(&o));
429     let ofile = matches.opt_str("o").map(|o| PathBuf::from(&o));
430     (odir, ofile)
431 }
432
433 // Extract input (string or file and optional path) from matches.
434 fn make_input(
435     error_format: ErrorOutputType,
436     free_matches: &[String],
437 ) -> Result<Option<(Input, Option<PathBuf>)>, ErrorGuaranteed> {
438     if free_matches.len() == 1 {
439         let ifile = &free_matches[0];
440         if ifile == "-" {
441             let mut src = String::new();
442             if io::stdin().read_to_string(&mut src).is_err() {
443                 // Immediately stop compilation if there was an issue reading
444                 // the input (for example if the input stream is not UTF-8).
445                 let reported = early_error_no_abort(
446                     error_format,
447                     "couldn't read from stdin, as it did not contain valid UTF-8",
448                 );
449                 return Err(reported);
450             }
451             if let Ok(path) = env::var("UNSTABLE_RUSTDOC_TEST_PATH") {
452                 let line = env::var("UNSTABLE_RUSTDOC_TEST_LINE").expect(
453                     "when UNSTABLE_RUSTDOC_TEST_PATH is set \
454                                     UNSTABLE_RUSTDOC_TEST_LINE also needs to be set",
455                 );
456                 let line = isize::from_str_radix(&line, 10)
457                     .expect("UNSTABLE_RUSTDOC_TEST_LINE needs to be an number");
458                 let file_name = FileName::doc_test_source_code(PathBuf::from(path), line);
459                 Ok(Some((Input::Str { name: file_name, input: src }, None)))
460             } else {
461                 Ok(Some((Input::Str { name: FileName::anon_source_code(&src), input: src }, None)))
462             }
463         } else {
464             Ok(Some((Input::File(PathBuf::from(ifile)), Some(PathBuf::from(ifile)))))
465         }
466     } else {
467         Ok(None)
468     }
469 }
470
471 /// Whether to stop or continue compilation.
472 #[derive(Copy, Clone, Debug, Eq, PartialEq)]
473 pub enum Compilation {
474     Stop,
475     Continue,
476 }
477
478 impl Compilation {
479     pub fn and_then<F: FnOnce() -> Compilation>(self, next: F) -> Compilation {
480         match self {
481             Compilation::Stop => Compilation::Stop,
482             Compilation::Continue => next(),
483         }
484     }
485 }
486
487 fn handle_explain(registry: Registry, code: &str, output: ErrorOutputType) {
488     let upper_cased_code = code.to_ascii_uppercase();
489     let normalised = if upper_cased_code.starts_with('E') {
490         upper_cased_code
491     } else {
492         format!("E{0:0>4}", code)
493     };
494     match registry.try_find_description(&normalised) {
495         Ok(Some(description)) => {
496             let mut is_in_code_block = false;
497             let mut text = String::new();
498             // Slice off the leading newline and print.
499             for line in description.lines() {
500                 let indent_level =
501                     line.find(|c: char| !c.is_whitespace()).unwrap_or_else(|| line.len());
502                 let dedented_line = &line[indent_level..];
503                 if dedented_line.starts_with("```") {
504                     is_in_code_block = !is_in_code_block;
505                     text.push_str(&line[..(indent_level + 3)]);
506                 } else if is_in_code_block && dedented_line.starts_with("# ") {
507                     continue;
508                 } else {
509                     text.push_str(line);
510                 }
511                 text.push('\n');
512             }
513             if io::stdout().is_terminal() {
514                 show_content_with_pager(&text);
515             } else {
516                 print!("{}", text);
517             }
518         }
519         Ok(None) => {
520             early_error(output, &format!("no extended information for {}", code));
521         }
522         Err(InvalidErrorCode) => {
523             early_error(output, &format!("{} is not a valid error code", code));
524         }
525     }
526 }
527
528 fn show_content_with_pager(content: &str) {
529     let pager_name = env::var_os("PAGER").unwrap_or_else(|| {
530         if cfg!(windows) { OsString::from("more.com") } else { OsString::from("less") }
531     });
532
533     let mut fallback_to_println = false;
534
535     match Command::new(pager_name).stdin(Stdio::piped()).spawn() {
536         Ok(mut pager) => {
537             if let Some(pipe) = pager.stdin.as_mut() {
538                 if pipe.write_all(content.as_bytes()).is_err() {
539                     fallback_to_println = true;
540                 }
541             }
542
543             if pager.wait().is_err() {
544                 fallback_to_println = true;
545             }
546         }
547         Err(_) => {
548             fallback_to_println = true;
549         }
550     }
551
552     // If pager fails for whatever reason, we should still print the content
553     // to standard output
554     if fallback_to_println {
555         print!("{}", content);
556     }
557 }
558
559 pub fn try_process_rlink(sess: &Session, compiler: &interface::Compiler) -> Compilation {
560     if sess.opts.unstable_opts.link_only {
561         if let Input::File(file) = compiler.input() {
562             // FIXME: #![crate_type] and #![crate_name] support not implemented yet
563             sess.init_crate_types(collect_crate_types(sess, &[]));
564             let outputs = compiler.build_output_filenames(sess, &[]);
565             let rlink_data = fs::read(file).unwrap_or_else(|err| {
566                 sess.emit_fatal(RlinkUnableToRead { err });
567             });
568             let codegen_results = match CodegenResults::deserialize_rlink(rlink_data) {
569                 Ok(codegen) => codegen,
570                 Err(err) => {
571                     match err {
572                         CodegenErrors::WrongFileType => sess.emit_fatal(RLinkWrongFileType),
573                         CodegenErrors::EmptyVersionNumber => {
574                             sess.emit_fatal(RLinkEmptyVersionNumber)
575                         }
576                         CodegenErrors::EncodingVersionMismatch { version_array, rlink_version } => {
577                             sess.emit_fatal(RLinkEncodingVersionMismatch {
578                                 version_array,
579                                 rlink_version,
580                             })
581                         }
582                         CodegenErrors::RustcVersionMismatch { rustc_version, current_version } => {
583                             sess.emit_fatal(RLinkRustcVersionMismatch {
584                                 rustc_version,
585                                 current_version,
586                             })
587                         }
588                     };
589                 }
590             };
591             let result = compiler.codegen_backend().link(sess, codegen_results, &outputs);
592             abort_on_err(result, sess);
593         } else {
594             sess.emit_fatal(RlinkNotAFile {})
595         }
596         Compilation::Stop
597     } else {
598         Compilation::Continue
599     }
600 }
601
602 pub fn list_metadata(
603     sess: &Session,
604     metadata_loader: &dyn MetadataLoader,
605     input: &Input,
606 ) -> Compilation {
607     if sess.opts.unstable_opts.ls {
608         match *input {
609             Input::File(ref ifile) => {
610                 let path = &(*ifile);
611                 let mut v = Vec::new();
612                 locator::list_file_metadata(&sess.target, path, metadata_loader, &mut v).unwrap();
613                 println!("{}", String::from_utf8(v).unwrap());
614             }
615             Input::Str { .. } => {
616                 early_error(ErrorOutputType::default(), "cannot list metadata for stdin");
617             }
618         }
619         return Compilation::Stop;
620     }
621
622     Compilation::Continue
623 }
624
625 fn print_crate_info(
626     codegen_backend: &dyn CodegenBackend,
627     sess: &Session,
628     input: Option<&Input>,
629     odir: &Option<PathBuf>,
630     ofile: &Option<PathBuf>,
631     temps_dir: &Option<PathBuf>,
632 ) -> Compilation {
633     use rustc_session::config::PrintRequest::*;
634     // NativeStaticLibs and LinkArgs are special - printed during linking
635     // (empty iterator returns true)
636     if sess.opts.prints.iter().all(|&p| p == NativeStaticLibs || p == LinkArgs) {
637         return Compilation::Continue;
638     }
639
640     let attrs = match input {
641         None => None,
642         Some(input) => {
643             let result = parse_crate_attrs(sess, input);
644             match result {
645                 Ok(attrs) => Some(attrs),
646                 Err(mut parse_error) => {
647                     parse_error.emit();
648                     return Compilation::Stop;
649                 }
650             }
651         }
652     };
653     for req in &sess.opts.prints {
654         match *req {
655             TargetList => {
656                 let mut targets = rustc_target::spec::TARGETS.iter().copied().collect::<Vec<_>>();
657                 targets.sort_unstable();
658                 println!("{}", targets.join("\n"));
659             }
660             Sysroot => println!("{}", sess.sysroot.display()),
661             TargetLibdir => println!("{}", sess.target_tlib_path.dir.display()),
662             TargetSpec => {
663                 println!("{}", serde_json::to_string_pretty(&sess.target.to_json()).unwrap());
664             }
665             FileNames | CrateName => {
666                 let input = input.unwrap_or_else(|| {
667                     early_error(ErrorOutputType::default(), "no input file provided")
668                 });
669                 let attrs = attrs.as_ref().unwrap();
670                 let t_outputs = rustc_interface::util::build_output_filenames(
671                     input, odir, ofile, temps_dir, attrs, sess,
672                 );
673                 let id = rustc_session::output::find_crate_name(sess, attrs, input);
674                 if *req == PrintRequest::CrateName {
675                     println!("{}", id);
676                     continue;
677                 }
678                 let crate_types = collect_crate_types(sess, attrs);
679                 for &style in &crate_types {
680                     let fname =
681                         rustc_session::output::filename_for_input(sess, style, &id, &t_outputs);
682                     println!("{}", fname.file_name().unwrap().to_string_lossy());
683                 }
684             }
685             Cfg => {
686                 let mut cfgs = sess
687                     .parse_sess
688                     .config
689                     .iter()
690                     .filter_map(|&(name, value)| {
691                         // Note that crt-static is a specially recognized cfg
692                         // directive that's printed out here as part of
693                         // rust-lang/rust#37406, but in general the
694                         // `target_feature` cfg is gated under
695                         // rust-lang/rust#29717. For now this is just
696                         // specifically allowing the crt-static cfg and that's
697                         // it, this is intended to get into Cargo and then go
698                         // through to build scripts.
699                         if (name != sym::target_feature || value != Some(sym::crt_dash_static))
700                             && !sess.is_nightly_build()
701                             && find_gated_cfg(|cfg_sym| cfg_sym == name).is_some()
702                         {
703                             return None;
704                         }
705
706                         if let Some(value) = value {
707                             Some(format!("{}=\"{}\"", name, value))
708                         } else {
709                             Some(name.to_string())
710                         }
711                     })
712                     .collect::<Vec<String>>();
713
714                 cfgs.sort();
715                 for cfg in cfgs {
716                     println!("{}", cfg);
717                 }
718             }
719             CallingConventions => {
720                 let mut calling_conventions = rustc_target::spec::abi::all_names();
721                 calling_conventions.sort_unstable();
722                 println!("{}", calling_conventions.join("\n"));
723             }
724             RelocationModels
725             | CodeModels
726             | TlsModels
727             | TargetCPUs
728             | StackProtectorStrategies
729             | TargetFeatures => {
730                 codegen_backend.print(*req, sess);
731             }
732             // Any output here interferes with Cargo's parsing of other printed output
733             NativeStaticLibs => {}
734             LinkArgs => {}
735             SplitDebuginfo => {
736                 use rustc_target::spec::SplitDebuginfo::{Off, Packed, Unpacked};
737
738                 for split in &[Off, Packed, Unpacked] {
739                     let stable = sess.target.options.supported_split_debuginfo.contains(split);
740                     let unstable_ok = sess.unstable_options();
741                     if stable || unstable_ok {
742                         println!("{}", split);
743                     }
744                 }
745             }
746         }
747     }
748     Compilation::Stop
749 }
750
751 /// Prints version information
752 ///
753 /// NOTE: this is a macro to support drivers built at a different time than the main `rustc_driver` crate.
754 pub macro version($binary: literal, $matches: expr) {
755     fn unw(x: Option<&str>) -> &str {
756         x.unwrap_or("unknown")
757     }
758     $crate::version_at_macro_invocation(
759         $binary,
760         $matches,
761         unw(option_env!("CFG_VERSION")),
762         unw(option_env!("CFG_VER_HASH")),
763         unw(option_env!("CFG_VER_DATE")),
764         unw(option_env!("CFG_RELEASE")),
765     )
766 }
767
768 #[doc(hidden)] // use the macro instead
769 pub fn version_at_macro_invocation(
770     binary: &str,
771     matches: &getopts::Matches,
772     version: &str,
773     commit_hash: &str,
774     commit_date: &str,
775     release: &str,
776 ) {
777     let verbose = matches.opt_present("verbose");
778
779     println!("{} {}", binary, version);
780
781     if verbose {
782         println!("binary: {}", binary);
783         println!("commit-hash: {}", commit_hash);
784         println!("commit-date: {}", commit_date);
785         println!("host: {}", config::host_triple());
786         println!("release: {}", release);
787
788         let debug_flags = matches.opt_strs("Z");
789         let backend_name = debug_flags.iter().find_map(|x| x.strip_prefix("codegen-backend="));
790         get_codegen_backend(&None, backend_name).print_version();
791     }
792 }
793
794 fn usage(verbose: bool, include_unstable_options: bool, nightly_build: bool) {
795     let groups = if verbose { config::rustc_optgroups() } else { config::rustc_short_optgroups() };
796     let mut options = getopts::Options::new();
797     for option in groups.iter().filter(|x| include_unstable_options || x.is_stable()) {
798         (option.apply)(&mut options);
799     }
800     let message = "Usage: rustc [OPTIONS] INPUT";
801     let nightly_help = if nightly_build {
802         "\n    -Z help             Print unstable compiler options"
803     } else {
804         ""
805     };
806     let verbose_help = if verbose {
807         ""
808     } else {
809         "\n    --help -v           Print the full set of options rustc accepts"
810     };
811     let at_path = if verbose {
812         "    @path               Read newline separated options from `path`\n"
813     } else {
814         ""
815     };
816     println!(
817         "{options}{at_path}\nAdditional help:
818     -C help             Print codegen options
819     -W help             \
820               Print 'lint' options and default settings{nightly}{verbose}\n",
821         options = options.usage(message),
822         at_path = at_path,
823         nightly = nightly_help,
824         verbose = verbose_help
825     );
826 }
827
828 fn print_wall_help() {
829     println!(
830         "
831 The flag `-Wall` does not exist in `rustc`. Most useful lints are enabled by
832 default. Use `rustc -W help` to see all available lints. It's more common to put
833 warning settings in the crate root using `#![warn(LINT_NAME)]` instead of using
834 the command line flag directly.
835 "
836     );
837 }
838
839 /// Write to stdout lint command options, together with a list of all available lints
840 pub fn describe_lints(sess: &Session, lint_store: &LintStore, loaded_plugins: bool) {
841     println!(
842         "
843 Available lint options:
844     -W <foo>           Warn about <foo>
845     -A <foo>           \
846               Allow <foo>
847     -D <foo>           Deny <foo>
848     -F <foo>           Forbid <foo> \
849               (deny <foo> and all attempts to override)
850
851 "
852     );
853
854     fn sort_lints(sess: &Session, mut lints: Vec<&'static Lint>) -> Vec<&'static Lint> {
855         // The sort doesn't case-fold but it's doubtful we care.
856         lints.sort_by_cached_key(|x: &&Lint| (x.default_level(sess.edition()), x.name));
857         lints
858     }
859
860     fn sort_lint_groups(
861         lints: Vec<(&'static str, Vec<LintId>, bool)>,
862     ) -> Vec<(&'static str, Vec<LintId>)> {
863         let mut lints: Vec<_> = lints.into_iter().map(|(x, y, _)| (x, y)).collect();
864         lints.sort_by_key(|l| l.0);
865         lints
866     }
867
868     let (plugin, builtin): (Vec<_>, _) =
869         lint_store.get_lints().iter().cloned().partition(|&lint| lint.is_plugin);
870     let plugin = sort_lints(sess, plugin);
871     let builtin = sort_lints(sess, builtin);
872
873     let (plugin_groups, builtin_groups): (Vec<_>, _) =
874         lint_store.get_lint_groups().partition(|&(.., p)| p);
875     let plugin_groups = sort_lint_groups(plugin_groups);
876     let builtin_groups = sort_lint_groups(builtin_groups);
877
878     let max_name_len =
879         plugin.iter().chain(&builtin).map(|&s| s.name.chars().count()).max().unwrap_or(0);
880     let padded = |x: &str| {
881         let mut s = " ".repeat(max_name_len - x.chars().count());
882         s.push_str(x);
883         s
884     };
885
886     println!("Lint checks provided by rustc:\n");
887
888     let print_lints = |lints: Vec<&Lint>| {
889         println!("    {}  {:7.7}  {}", padded("name"), "default", "meaning");
890         println!("    {}  {:7.7}  {}", padded("----"), "-------", "-------");
891         for lint in lints {
892             let name = lint.name_lower().replace('_', "-");
893             println!(
894                 "    {}  {:7.7}  {}",
895                 padded(&name),
896                 lint.default_level(sess.edition()).as_str(),
897                 lint.desc
898             );
899         }
900         println!("\n");
901     };
902
903     print_lints(builtin);
904
905     let max_name_len = max(
906         "warnings".len(),
907         plugin_groups
908             .iter()
909             .chain(&builtin_groups)
910             .map(|&(s, _)| s.chars().count())
911             .max()
912             .unwrap_or(0),
913     );
914
915     let padded = |x: &str| {
916         let mut s = " ".repeat(max_name_len - x.chars().count());
917         s.push_str(x);
918         s
919     };
920
921     println!("Lint groups provided by rustc:\n");
922
923     let print_lint_groups = |lints: Vec<(&'static str, Vec<LintId>)>, all_warnings| {
924         println!("    {}  sub-lints", padded("name"));
925         println!("    {}  ---------", padded("----"));
926
927         if all_warnings {
928             println!("    {}  all lints that are set to issue warnings", padded("warnings"));
929         }
930
931         for (name, to) in lints {
932             let name = name.to_lowercase().replace('_', "-");
933             let desc = to
934                 .into_iter()
935                 .map(|x| x.to_string().replace('_', "-"))
936                 .collect::<Vec<String>>()
937                 .join(", ");
938             println!("    {}  {}", padded(&name), desc);
939         }
940         println!("\n");
941     };
942
943     print_lint_groups(builtin_groups, true);
944
945     match (loaded_plugins, plugin.len(), plugin_groups.len()) {
946         (false, 0, _) | (false, _, 0) => {
947             println!("Lint tools like Clippy can provide additional lints and lint groups.");
948         }
949         (false, ..) => panic!("didn't load lint plugins but got them anyway!"),
950         (true, 0, 0) => println!("This crate does not load any lint plugins or lint groups."),
951         (true, l, g) => {
952             if l > 0 {
953                 println!("Lint checks provided by plugins loaded by this crate:\n");
954                 print_lints(plugin);
955             }
956             if g > 0 {
957                 println!("Lint groups provided by plugins loaded by this crate:\n");
958                 print_lint_groups(plugin_groups, false);
959             }
960         }
961     }
962 }
963
964 fn describe_debug_flags() {
965     println!("\nAvailable options:\n");
966     print_flag_list("-Z", config::Z_OPTIONS);
967 }
968
969 fn describe_codegen_flags() {
970     println!("\nAvailable codegen options:\n");
971     print_flag_list("-C", config::CG_OPTIONS);
972 }
973
974 pub fn print_flag_list<T>(
975     cmdline_opt: &str,
976     flag_list: &[(&'static str, T, &'static str, &'static str)],
977 ) {
978     let max_len = flag_list.iter().map(|&(name, _, _, _)| name.chars().count()).max().unwrap_or(0);
979
980     for &(name, _, _, desc) in flag_list {
981         println!(
982             "    {} {:>width$}=val -- {}",
983             cmdline_opt,
984             name.replace('_', "-"),
985             desc,
986             width = max_len
987         );
988     }
989 }
990
991 /// Process command line options. Emits messages as appropriate. If compilation
992 /// should continue, returns a getopts::Matches object parsed from args,
993 /// otherwise returns `None`.
994 ///
995 /// The compiler's handling of options is a little complicated as it ties into
996 /// our stability story. The current intention of each compiler option is to
997 /// have one of two modes:
998 ///
999 /// 1. An option is stable and can be used everywhere.
1000 /// 2. An option is unstable, and can only be used on nightly.
1001 ///
1002 /// Like unstable library and language features, however, unstable options have
1003 /// always required a form of "opt in" to indicate that you're using them. This
1004 /// provides the easy ability to scan a code base to check to see if anything
1005 /// unstable is being used. Currently, this "opt in" is the `-Z` "zed" flag.
1006 ///
1007 /// All options behind `-Z` are considered unstable by default. Other top-level
1008 /// options can also be considered unstable, and they were unlocked through the
1009 /// `-Z unstable-options` flag. Note that `-Z` remains to be the root of
1010 /// instability in both cases, though.
1011 ///
1012 /// So with all that in mind, the comments below have some more detail about the
1013 /// contortions done here to get things to work out correctly.
1014 pub fn handle_options(args: &[String]) -> Option<getopts::Matches> {
1015     // Throw away the first argument, the name of the binary
1016     let args = &args[1..];
1017
1018     if args.is_empty() {
1019         // user did not write `-v` nor `-Z unstable-options`, so do not
1020         // include that extra information.
1021         let nightly_build =
1022             rustc_feature::UnstableFeatures::from_environment(None).is_nightly_build();
1023         usage(false, false, nightly_build);
1024         return None;
1025     }
1026
1027     // Parse with *all* options defined in the compiler, we don't worry about
1028     // option stability here we just want to parse as much as possible.
1029     let mut options = getopts::Options::new();
1030     for option in config::rustc_optgroups() {
1031         (option.apply)(&mut options);
1032     }
1033     let matches = options.parse(args).unwrap_or_else(|e| {
1034         let msg = match e {
1035             getopts::Fail::UnrecognizedOption(ref opt) => CG_OPTIONS
1036                 .iter()
1037                 .map(|&(name, ..)| ('C', name))
1038                 .chain(Z_OPTIONS.iter().map(|&(name, ..)| ('Z', name)))
1039                 .find(|&(_, name)| *opt == name.replace('_', "-"))
1040                 .map(|(flag, _)| format!("{}. Did you mean `-{} {}`?", e, flag, opt)),
1041             _ => None,
1042         };
1043         early_error(ErrorOutputType::default(), &msg.unwrap_or_else(|| e.to_string()));
1044     });
1045
1046     // For all options we just parsed, we check a few aspects:
1047     //
1048     // * If the option is stable, we're all good
1049     // * If the option wasn't passed, we're all good
1050     // * If `-Z unstable-options` wasn't passed (and we're not a -Z option
1051     //   ourselves), then we require the `-Z unstable-options` flag to unlock
1052     //   this option that was passed.
1053     // * If we're a nightly compiler, then unstable options are now unlocked, so
1054     //   we're good to go.
1055     // * Otherwise, if we're an unstable option then we generate an error
1056     //   (unstable option being used on stable)
1057     nightly_options::check_nightly_options(&matches, &config::rustc_optgroups());
1058
1059     if matches.opt_present("h") || matches.opt_present("help") {
1060         // Only show unstable options in --help if we accept unstable options.
1061         let unstable_enabled = nightly_options::is_unstable_enabled(&matches);
1062         let nightly_build = nightly_options::match_is_nightly_build(&matches);
1063         usage(matches.opt_present("verbose"), unstable_enabled, nightly_build);
1064         return None;
1065     }
1066
1067     // Handle the special case of -Wall.
1068     let wall = matches.opt_strs("W");
1069     if wall.iter().any(|x| *x == "all") {
1070         print_wall_help();
1071         rustc_errors::FatalError.raise();
1072     }
1073
1074     // Don't handle -W help here, because we might first load plugins.
1075     let debug_flags = matches.opt_strs("Z");
1076     if debug_flags.iter().any(|x| *x == "help") {
1077         describe_debug_flags();
1078         return None;
1079     }
1080
1081     let cg_flags = matches.opt_strs("C");
1082
1083     if cg_flags.iter().any(|x| *x == "help") {
1084         describe_codegen_flags();
1085         return None;
1086     }
1087
1088     if cg_flags.iter().any(|x| *x == "no-stack-check") {
1089         early_warn(
1090             ErrorOutputType::default(),
1091             "the --no-stack-check flag is deprecated and does nothing",
1092         );
1093     }
1094
1095     if cg_flags.iter().any(|x| *x == "passes=list") {
1096         let backend_name = debug_flags.iter().find_map(|x| x.strip_prefix("codegen-backend="));
1097         get_codegen_backend(&None, backend_name).print_passes();
1098         return None;
1099     }
1100
1101     if matches.opt_present("version") {
1102         version!("rustc", &matches);
1103         return None;
1104     }
1105
1106     Some(matches)
1107 }
1108
1109 fn parse_crate_attrs<'a>(sess: &'a Session, input: &Input) -> PResult<'a, ast::AttrVec> {
1110     match input {
1111         Input::File(ifile) => rustc_parse::parse_crate_attrs_from_file(ifile, &sess.parse_sess),
1112         Input::Str { name, input } => rustc_parse::parse_crate_attrs_from_source_str(
1113             name.clone(),
1114             input.clone(),
1115             &sess.parse_sess,
1116         ),
1117     }
1118 }
1119
1120 /// Gets a list of extra command-line flags provided by the user, as strings.
1121 ///
1122 /// This function is used during ICEs to show more information useful for
1123 /// debugging, since some ICEs only happens with non-default compiler flags
1124 /// (and the users don't always report them).
1125 fn extra_compiler_flags() -> Option<(Vec<String>, bool)> {
1126     let mut args = env::args_os().map(|arg| arg.to_string_lossy().to_string()).peekable();
1127
1128     let mut result = Vec::new();
1129     let mut excluded_cargo_defaults = false;
1130     while let Some(arg) = args.next() {
1131         if let Some(a) = ICE_REPORT_COMPILER_FLAGS.iter().find(|a| arg.starts_with(*a)) {
1132             let content = if arg.len() == a.len() {
1133                 // A space-separated option, like `-C incremental=foo` or `--crate-type rlib`
1134                 match args.next() {
1135                     Some(arg) => arg.to_string(),
1136                     None => continue,
1137                 }
1138             } else if arg.get(a.len()..a.len() + 1) == Some("=") {
1139                 // An equals option, like `--crate-type=rlib`
1140                 arg[a.len() + 1..].to_string()
1141             } else {
1142                 // A non-space option, like `-Cincremental=foo`
1143                 arg[a.len()..].to_string()
1144             };
1145             let option = content.split_once('=').map(|s| s.0).unwrap_or(&content);
1146             if ICE_REPORT_COMPILER_FLAGS_EXCLUDE.iter().any(|exc| option == *exc) {
1147                 excluded_cargo_defaults = true;
1148             } else {
1149                 result.push(a.to_string());
1150                 match ICE_REPORT_COMPILER_FLAGS_STRIP_VALUE.iter().find(|s| option == **s) {
1151                     Some(s) => result.push(format!("{}=[REDACTED]", s)),
1152                     None => result.push(content),
1153                 }
1154             }
1155         }
1156     }
1157
1158     if !result.is_empty() { Some((result, excluded_cargo_defaults)) } else { None }
1159 }
1160
1161 /// Runs a closure and catches unwinds triggered by fatal errors.
1162 ///
1163 /// The compiler currently unwinds with a special sentinel value to abort
1164 /// compilation on fatal errors. This function catches that sentinel and turns
1165 /// the panic into a `Result` instead.
1166 pub fn catch_fatal_errors<F: FnOnce() -> R, R>(f: F) -> Result<R, ErrorGuaranteed> {
1167     catch_unwind(panic::AssertUnwindSafe(f)).map_err(|value| {
1168         if value.is::<rustc_errors::FatalErrorMarker>() {
1169             ErrorGuaranteed::unchecked_claim_error_was_emitted()
1170         } else {
1171             panic::resume_unwind(value);
1172         }
1173     })
1174 }
1175
1176 /// Variant of `catch_fatal_errors` for the `interface::Result` return type
1177 /// that also computes the exit code.
1178 pub fn catch_with_exit_code(f: impl FnOnce() -> interface::Result<()>) -> i32 {
1179     let result = catch_fatal_errors(f).and_then(|result| result);
1180     match result {
1181         Ok(()) => EXIT_SUCCESS,
1182         Err(_) => EXIT_FAILURE,
1183     }
1184 }
1185
1186 static DEFAULT_HOOK: LazyLock<Box<dyn Fn(&panic::PanicInfo<'_>) + Sync + Send + 'static>> =
1187     LazyLock::new(|| {
1188         let hook = panic::take_hook();
1189         panic::set_hook(Box::new(|info| {
1190             // If the error was caused by a broken pipe then this is not a bug.
1191             // Write the error and return immediately. See #98700.
1192             #[cfg(windows)]
1193             if let Some(msg) = info.payload().downcast_ref::<String>() {
1194                 if msg.starts_with("failed printing to stdout: ") && msg.ends_with("(os error 232)")
1195                 {
1196                     early_error_no_abort(ErrorOutputType::default(), &msg);
1197                     return;
1198                 }
1199             };
1200
1201             // Invoke the default handler, which prints the actual panic message and optionally a backtrace
1202             (*DEFAULT_HOOK)(info);
1203
1204             // Separate the output with an empty line
1205             eprintln!();
1206
1207             // Print the ICE message
1208             report_ice(info, BUG_REPORT_URL);
1209         }));
1210         hook
1211     });
1212
1213 /// Prints the ICE message, including query stack, but without backtrace.
1214 ///
1215 /// The message will point the user at `bug_report_url` to report the ICE.
1216 ///
1217 /// When `install_ice_hook` is called, this function will be called as the panic
1218 /// hook.
1219 pub fn report_ice(info: &panic::PanicInfo<'_>, bug_report_url: &str) {
1220     let fallback_bundle =
1221         rustc_errors::fallback_fluent_bundle(rustc_errors::DEFAULT_LOCALE_RESOURCES, false);
1222     let emitter = Box::new(rustc_errors::emitter::EmitterWriter::stderr(
1223         rustc_errors::ColorConfig::Auto,
1224         None,
1225         None,
1226         fallback_bundle,
1227         false,
1228         false,
1229         None,
1230         false,
1231         false,
1232     ));
1233     let handler = rustc_errors::Handler::with_emitter(true, None, emitter);
1234
1235     // a .span_bug or .bug call has already printed what
1236     // it wants to print.
1237     if !info.payload().is::<rustc_errors::ExplicitBug>() {
1238         let mut d = rustc_errors::Diagnostic::new(rustc_errors::Level::Bug, "unexpected panic");
1239         handler.emit_diagnostic(&mut d);
1240     }
1241
1242     let mut xs: Vec<Cow<'static, str>> = vec![
1243         "the compiler unexpectedly panicked. this is a bug.".into(),
1244         format!("we would appreciate a bug report: {}", bug_report_url).into(),
1245         format!(
1246             "rustc {} running on {}",
1247             util::version_str!().unwrap_or("unknown_version"),
1248             config::host_triple()
1249         )
1250         .into(),
1251     ];
1252
1253     if let Some((flags, excluded_cargo_defaults)) = extra_compiler_flags() {
1254         xs.push(format!("compiler flags: {}", flags.join(" ")).into());
1255
1256         if excluded_cargo_defaults {
1257             xs.push("some of the compiler flags provided by cargo are hidden".into());
1258         }
1259     }
1260
1261     for note in &xs {
1262         handler.note_without_error(note.as_ref());
1263     }
1264
1265     // If backtraces are enabled, also print the query stack
1266     let backtrace = env::var_os("RUST_BACKTRACE").map_or(false, |x| &x != "0");
1267
1268     let num_frames = if backtrace { None } else { Some(2) };
1269
1270     interface::try_print_query_stack(&handler, num_frames);
1271
1272     #[cfg(windows)]
1273     unsafe {
1274         if env::var("RUSTC_BREAK_ON_ICE").is_ok() {
1275             // Trigger a debugger if we crashed during bootstrap
1276             winapi::um::debugapi::DebugBreak();
1277         }
1278     }
1279 }
1280
1281 /// Installs a panic hook that will print the ICE message on unexpected panics.
1282 ///
1283 /// A custom rustc driver can skip calling this to set up a custom ICE hook.
1284 pub fn install_ice_hook() {
1285     // If the user has not explicitly overridden "RUST_BACKTRACE", then produce
1286     // full backtraces. When a compiler ICE happens, we want to gather
1287     // as much information as possible to present in the issue opened
1288     // by the user. Compiler developers and other rustc users can
1289     // opt in to less-verbose backtraces by manually setting "RUST_BACKTRACE"
1290     // (e.g. `RUST_BACKTRACE=1`)
1291     if std::env::var("RUST_BACKTRACE").is_err() {
1292         std::env::set_var("RUST_BACKTRACE", "full");
1293     }
1294     LazyLock::force(&DEFAULT_HOOK);
1295 }
1296
1297 /// This allows tools to enable rust logging without having to magically match rustc's
1298 /// tracing crate version.
1299 pub fn init_rustc_env_logger() {
1300     if let Err(error) = rustc_log::init_rustc_env_logger() {
1301         early_error(ErrorOutputType::default(), &error.to_string());
1302     }
1303 }
1304
1305 /// This allows tools to enable rust logging without having to magically match rustc's
1306 /// tracing crate version. In contrast to `init_rustc_env_logger` it allows you to choose an env var
1307 /// other than `RUSTC_LOG`.
1308 pub fn init_env_logger(env: &str) {
1309     if let Err(error) = rustc_log::init_env_logger(env) {
1310         early_error(ErrorOutputType::default(), &error.to_string());
1311     }
1312 }
1313
1314 #[cfg(all(unix, any(target_env = "gnu", target_os = "macos")))]
1315 mod signal_handler {
1316     extern "C" {
1317         fn backtrace_symbols_fd(
1318             buffer: *const *mut libc::c_void,
1319             size: libc::c_int,
1320             fd: libc::c_int,
1321         );
1322     }
1323
1324     extern "C" fn print_stack_trace(_: libc::c_int) {
1325         const MAX_FRAMES: usize = 256;
1326         static mut STACK_TRACE: [*mut libc::c_void; MAX_FRAMES] =
1327             [std::ptr::null_mut(); MAX_FRAMES];
1328         unsafe {
1329             let depth = libc::backtrace(STACK_TRACE.as_mut_ptr(), MAX_FRAMES as i32);
1330             if depth == 0 {
1331                 return;
1332             }
1333             backtrace_symbols_fd(STACK_TRACE.as_ptr(), depth, 2);
1334         }
1335     }
1336
1337     /// When an error signal (such as SIGABRT or SIGSEGV) is delivered to the
1338     /// process, print a stack trace and then exit.
1339     pub(super) fn install() {
1340         unsafe {
1341             const ALT_STACK_SIZE: usize = libc::MINSIGSTKSZ + 64 * 1024;
1342             let mut alt_stack: libc::stack_t = std::mem::zeroed();
1343             alt_stack.ss_sp =
1344                 std::alloc::alloc(std::alloc::Layout::from_size_align(ALT_STACK_SIZE, 1).unwrap())
1345                     as *mut libc::c_void;
1346             alt_stack.ss_size = ALT_STACK_SIZE;
1347             libc::sigaltstack(&alt_stack, std::ptr::null_mut());
1348
1349             let mut sa: libc::sigaction = std::mem::zeroed();
1350             sa.sa_sigaction = print_stack_trace as libc::sighandler_t;
1351             sa.sa_flags = libc::SA_NODEFER | libc::SA_RESETHAND | libc::SA_ONSTACK;
1352             libc::sigemptyset(&mut sa.sa_mask);
1353             libc::sigaction(libc::SIGSEGV, &sa, std::ptr::null_mut());
1354         }
1355     }
1356 }
1357
1358 #[cfg(not(all(unix, any(target_env = "gnu", target_os = "macos"))))]
1359 mod signal_handler {
1360     pub(super) fn install() {}
1361 }
1362
1363 pub fn main() -> ! {
1364     let start_time = Instant::now();
1365     let start_rss = get_resident_set_size();
1366     init_rustc_env_logger();
1367     signal_handler::install();
1368     let mut callbacks = TimePassesCallbacks::default();
1369     install_ice_hook();
1370     let exit_code = catch_with_exit_code(|| {
1371         let args = env::args_os()
1372             .enumerate()
1373             .map(|(i, arg)| {
1374                 arg.into_string().unwrap_or_else(|arg| {
1375                     early_error(
1376                         ErrorOutputType::default(),
1377                         &format!("argument {} is not valid Unicode: {:?}", i, arg),
1378                     )
1379                 })
1380             })
1381             .collect::<Vec<_>>();
1382         RunCompiler::new(&args, &mut callbacks).run()
1383     });
1384
1385     if callbacks.time_passes {
1386         let end_rss = get_resident_set_size();
1387         print_time_passes_entry("total", start_time.elapsed(), start_rss, end_rss);
1388     }
1389
1390     process::exit(exit_code)
1391 }