]> git.lizzy.rs Git - rust.git/blob - src/librustc_driver/lib.rs
Rollup merge of #66573 - pnkfelix:issue-66568-ignore-reproducible-build-2-on-macos...
[rust.git] / src / librustc_driver / 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/")]
8
9 #![feature(box_syntax)]
10 #![cfg_attr(unix, feature(libc))]
11 #![feature(nll)]
12 #![feature(set_stdio)]
13 #![feature(no_debug)]
14 #![feature(integer_atomics)]
15
16 #![recursion_limit="256"]
17
18 pub extern crate getopts;
19 #[cfg(unix)]
20 extern crate libc;
21 #[macro_use]
22 extern crate log;
23 #[macro_use]
24 extern crate lazy_static;
25
26 pub extern crate rustc_plugin_impl as plugin;
27
28 //use rustc_resolve as resolve;
29 use rustc_save_analysis as save;
30 use rustc_save_analysis::DumpHandler;
31 use rustc::session::{config, Session, DiagnosticOutput};
32 use rustc::session::config::{Input, PrintRequest, ErrorOutputType, OutputType};
33 use rustc::session::config::nightly_options;
34 use rustc::session::{early_error, early_warn};
35 use rustc::lint::Lint;
36 use rustc::lint;
37 use rustc::middle::cstore::MetadataLoader;
38 use rustc::hir::def_id::LOCAL_CRATE;
39 use rustc::ty::TyCtxt;
40 use rustc::util::common::{set_time_depth, time, print_time_passes_entry, ErrorReported};
41 use rustc_metadata::locator;
42 use rustc_codegen_utils::codegen_backend::CodegenBackend;
43 use errors::{PResult, registry::Registry};
44 use rustc_interface::interface;
45 use rustc_interface::util::get_codegen_sysroot;
46 use rustc_data_structures::sync::SeqCst;
47
48 use rustc_serialize::json::ToJson;
49
50 use std::borrow::Cow;
51 use std::cmp::max;
52 use std::default::Default;
53 use std::env;
54 use std::ffi::OsString;
55 use std::io::{self, Read, Write};
56 use std::mem;
57 use std::panic::{self, catch_unwind};
58 use std::path::PathBuf;
59 use std::process::{self, Command, Stdio};
60 use std::str;
61 use std::time::Instant;
62
63 use syntax::ast;
64 use syntax::source_map::FileLoader;
65 use syntax::feature_gate::{GatedCfg, UnstableFeatures};
66 use syntax::symbol::sym;
67 use syntax_pos::{DUMMY_SP, FileName};
68
69 pub mod pretty;
70 mod args;
71
72 /// Exit status code used for successful compilation and help output.
73 pub const EXIT_SUCCESS: i32 = 0;
74
75 /// Exit status code used for compilation failures and invalid flags.
76 pub const EXIT_FAILURE: i32 = 1;
77
78 const BUG_REPORT_URL: &str = "https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.\
79                               md#bug-reports";
80
81 const ICE_REPORT_COMPILER_FLAGS: &[&str] = &["Z", "C", "crate-type"];
82
83 const ICE_REPORT_COMPILER_FLAGS_EXCLUDE: &[&str] = &["metadata", "extra-filename"];
84
85 const ICE_REPORT_COMPILER_FLAGS_STRIP_VALUE: &[&str] = &["incremental"];
86
87 pub fn abort_on_err<T>(result: Result<T, ErrorReported>, sess: &Session) -> T {
88     match result {
89         Err(..) => {
90             sess.abort_if_errors();
91             panic!("error reported but abort_if_errors didn't abort???");
92         }
93         Ok(x) => x,
94     }
95 }
96
97 pub trait Callbacks {
98     /// Called before creating the compiler instance
99     fn config(&mut self, _config: &mut interface::Config) {}
100     /// Called after parsing. Return value instructs the compiler whether to
101     /// continue the compilation afterwards (defaults to `Compilation::Continue`)
102     fn after_parsing(&mut self, _compiler: &interface::Compiler) -> 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(&mut self, _compiler: &interface::Compiler) -> Compilation {
108         Compilation::Continue
109     }
110     /// Called after analysis. Return value instructs the compiler whether to
111     /// continue the compilation afterwards (defaults to `Compilation::Continue`)
112     fn after_analysis(&mut self, _compiler: &interface::Compiler) -> Compilation {
113         Compilation::Continue
114     }
115 }
116
117 pub struct DefaultCallbacks;
118
119 impl Callbacks for DefaultCallbacks {}
120
121 #[derive(Default)]
122 pub struct TimePassesCallbacks {
123     time_passes: bool,
124 }
125
126 impl Callbacks for TimePassesCallbacks {
127     fn config(&mut self, config: &mut interface::Config) {
128         // If a --prints=... option has been given, we don't print the "total"
129         // time because it will mess up the --prints output. See #64339.
130         self.time_passes =
131             config.opts.prints.is_empty() &&
132             (config.opts.debugging_opts.time_passes || config.opts.debugging_opts.time);
133     }
134 }
135
136 pub fn diagnostics_registry() -> Registry {
137     Registry::new(&rustc_error_codes::DIAGNOSTICS)
138 }
139
140 // Parse args and run the compiler. This is the primary entry point for rustc.
141 // See comments on CompilerCalls below for details about the callbacks argument.
142 // The FileLoader provides a way to load files from sources other than the file system.
143 pub fn run_compiler(
144     at_args: &[String],
145     callbacks: &mut (dyn Callbacks + Send),
146     file_loader: Option<Box<dyn FileLoader + Send + Sync>>,
147     emitter: Option<Box<dyn Write + Send>>
148 ) -> interface::Result<()> {
149     let mut args = Vec::new();
150     for arg in at_args {
151         match args::arg_expand(arg.clone()) {
152             Ok(arg) => args.extend(arg),
153             Err(err) => early_error(ErrorOutputType::default(),
154                 &format!("Failed to load argument file: {}", err)),
155         }
156     }
157     let diagnostic_output = emitter.map(|emitter| DiagnosticOutput::Raw(emitter))
158                                    .unwrap_or(DiagnosticOutput::Default);
159     let matches = match handle_options(&args) {
160         Some(matches) => matches,
161         None => return Ok(()),
162     };
163
164     let sopts = config::build_session_options(&matches);
165     let cfg = interface::parse_cfgspecs(matches.opt_strs("cfg"));
166
167     let mut dummy_config = |sopts, cfg, diagnostic_output| {
168         let mut config = interface::Config {
169             opts: sopts,
170             crate_cfg: cfg,
171             input: Input::File(PathBuf::new()),
172             input_path: None,
173             output_file: None,
174             output_dir: None,
175             file_loader: None,
176             diagnostic_output,
177             stderr: None,
178             crate_name: None,
179             lint_caps: Default::default(),
180             register_lints: None,
181             override_queries: None,
182             registry: diagnostics_registry(),
183         };
184         callbacks.config(&mut config);
185         config
186     };
187
188     if let Some(ref code) = matches.opt_str("explain") {
189         handle_explain(diagnostics_registry(), code, sopts.error_format);
190         return Ok(());
191     }
192
193     let (odir, ofile) = make_output(&matches);
194     let (input, input_file_path, input_err) = match make_input(&matches.free) {
195         Some(v) => v,
196         None => {
197             match matches.free.len() {
198                 0 => {
199                     let config = dummy_config(sopts, cfg, diagnostic_output);
200                     interface::run_compiler(config, |compiler| {
201                         let sopts = &compiler.session().opts;
202                         if sopts.describe_lints {
203                             let lint_store = rustc_lint::new_lint_store(
204                                 sopts.debugging_opts.no_interleave_lints,
205                                 compiler.session().unstable_options(),
206                             );
207                             describe_lints(
208                                 compiler.session(),
209                                 &lint_store,
210                                 false
211                             );
212                             return;
213                         }
214                         let should_stop = RustcDefaultCalls::print_crate_info(
215                             &***compiler.codegen_backend(),
216                             compiler.session(),
217                             None,
218                             &odir,
219                             &ofile
220                         );
221
222                         if should_stop == Compilation::Stop {
223                             return;
224                         }
225                         early_error(sopts.error_format, "no input filename given")
226                     });
227                     return Ok(());
228                 }
229                 1 => panic!("make_input should have provided valid inputs"),
230                 _ => early_error(sopts.error_format, &format!(
231                     "multiple input filenames provided (first two filenames are `{}` and `{}`)",
232                     matches.free[0],
233                     matches.free[1],
234                 )),
235             }
236         }
237     };
238
239     if let Some(err) = input_err {
240         // Immediately stop compilation if there was an issue reading
241         // the input (for example if the input stream is not UTF-8).
242         interface::run_compiler(dummy_config(sopts, cfg, diagnostic_output), |compiler| {
243             compiler.session().err(&err.to_string());
244         });
245         return Err(ErrorReported);
246     }
247
248     let mut config = interface::Config {
249         opts: sopts,
250         crate_cfg: cfg,
251         input,
252         input_path: input_file_path,
253         output_file: ofile,
254         output_dir: odir,
255         file_loader,
256         diagnostic_output,
257         stderr: None,
258         crate_name: None,
259         lint_caps: Default::default(),
260         register_lints: None,
261         override_queries: None,
262         registry: diagnostics_registry(),
263     };
264
265     callbacks.config(&mut config);
266
267     interface::run_compiler(config, |compiler| {
268         let sess = compiler.session();
269         let should_stop = RustcDefaultCalls::print_crate_info(
270             &***compiler.codegen_backend(),
271             sess,
272             Some(compiler.input()),
273             compiler.output_dir(),
274             compiler.output_file(),
275         ).and_then(|| RustcDefaultCalls::list_metadata(
276             sess,
277             &*compiler.codegen_backend().metadata_loader(),
278             &matches,
279             compiler.input()
280         ));
281
282         if should_stop == Compilation::Stop {
283             return sess.compile_status();
284         }
285
286         compiler.parse()?;
287
288         if let Some((ppm, opt_uii)) = &sess.opts.pretty {
289             if ppm.needs_ast_map(&opt_uii) {
290                 compiler.global_ctxt()?.peek_mut().enter(|tcx| {
291                     let expanded_crate = compiler.expansion()?.take().0;
292                     pretty::print_after_hir_lowering(
293                         tcx,
294                         compiler.input(),
295                         &expanded_crate,
296                         *ppm,
297                         opt_uii.clone(),
298                         compiler.output_file().as_ref().map(|p| &**p),
299                     );
300                     Ok(())
301                 })?;
302             } else {
303                 let krate = compiler.parse()?.take();
304                 pretty::print_after_parsing(
305                     sess,
306                     &compiler.input(),
307                     &krate,
308                     *ppm,
309                     compiler.output_file().as_ref().map(|p| &**p),
310                 );
311             }
312             return sess.compile_status();
313         }
314
315         if callbacks.after_parsing(compiler) == Compilation::Stop {
316             return sess.compile_status();
317         }
318
319         if sess.opts.debugging_opts.parse_only ||
320            sess.opts.debugging_opts.show_span.is_some() ||
321            sess.opts.debugging_opts.ast_json_noexpand {
322             return sess.compile_status();
323         }
324
325         {
326             let (_, _, lint_store) = &*compiler.register_plugins()?.peek();
327
328             // Lint plugins are registered; now we can process command line flags.
329             if sess.opts.describe_lints {
330                 describe_lints(&sess, &lint_store, true);
331                 return sess.compile_status();
332             }
333         }
334
335         compiler.expansion()?;
336         if callbacks.after_expansion(compiler) == Compilation::Stop {
337             return sess.compile_status();
338         }
339
340         compiler.prepare_outputs()?;
341
342         if sess.opts.output_types.contains_key(&OutputType::DepInfo)
343             && sess.opts.output_types.len() == 1
344         {
345             return sess.compile_status();
346         }
347
348         compiler.global_ctxt()?;
349
350         if sess.opts.debugging_opts.no_analysis ||
351            sess.opts.debugging_opts.ast_json {
352             return sess.compile_status();
353         }
354
355         if sess.opts.debugging_opts.save_analysis {
356             let expanded_crate = &compiler.expansion()?.peek().0;
357             let crate_name = compiler.crate_name()?.peek().clone();
358             compiler.global_ctxt()?.peek_mut().enter(|tcx| {
359                 let result = tcx.analysis(LOCAL_CRATE);
360
361                 time(sess, "save analysis", || {
362                     save::process_crate(
363                         tcx,
364                         &expanded_crate,
365                         &crate_name,
366                         &compiler.input(),
367                         None,
368                         DumpHandler::new(compiler.output_dir().as_ref().map(|p| &**p), &crate_name)
369                     )
370                 });
371
372                 result
373                 // AST will be dropped *after* the `after_analysis` callback
374                 // (needed by the RLS)
375             })?;
376         } else {
377             // Drop AST after creating GlobalCtxt to free memory
378             mem::drop(compiler.expansion()?.take());
379         }
380
381         compiler.global_ctxt()?.peek_mut().enter(|tcx| tcx.analysis(LOCAL_CRATE))?;
382
383         if callbacks.after_analysis(compiler) == Compilation::Stop {
384             return sess.compile_status();
385         }
386
387         if sess.opts.debugging_opts.save_analysis {
388             mem::drop(compiler.expansion()?.take());
389         }
390
391         compiler.ongoing_codegen()?;
392
393         // Drop GlobalCtxt after starting codegen to free memory
394         mem::drop(compiler.global_ctxt()?.take());
395
396         if sess.opts.debugging_opts.print_type_sizes {
397             sess.code_stats.print_type_sizes();
398         }
399
400         compiler.link()?;
401
402         if sess.opts.debugging_opts.perf_stats {
403             sess.print_perf_stats();
404         }
405
406         if sess.print_fuel_crate.is_some() {
407             eprintln!("Fuel used by {}: {}",
408                 sess.print_fuel_crate.as_ref().unwrap(),
409                 sess.print_fuel.load(SeqCst));
410         }
411
412         Ok(())
413     })
414 }
415
416 #[cfg(unix)]
417 pub fn set_sigpipe_handler() {
418     unsafe {
419         // Set the SIGPIPE signal handler, so that an EPIPE
420         // will cause rustc to terminate, as expected.
421         assert_ne!(libc::signal(libc::SIGPIPE, libc::SIG_DFL), libc::SIG_ERR);
422     }
423 }
424
425 #[cfg(windows)]
426 pub fn set_sigpipe_handler() {}
427
428 // Extract output directory and file from matches.
429 fn make_output(matches: &getopts::Matches) -> (Option<PathBuf>, Option<PathBuf>) {
430     let odir = matches.opt_str("out-dir").map(|o| PathBuf::from(&o));
431     let ofile = matches.opt_str("o").map(|o| PathBuf::from(&o));
432     (odir, ofile)
433 }
434
435 // Extract input (string or file and optional path) from matches.
436 fn make_input(free_matches: &[String]) -> Option<(Input, Option<PathBuf>, Option<io::Error>)> {
437     if free_matches.len() == 1 {
438         let ifile = &free_matches[0];
439         if ifile == "-" {
440             let mut src = String::new();
441             let err = if io::stdin().read_to_string(&mut src).is_err() {
442                 Some(io::Error::new(io::ErrorKind::InvalidData,
443                                     "couldn't read from stdin, as it did not contain valid UTF-8"))
444             } else {
445                 None
446             };
447             if let Ok(path) = env::var("UNSTABLE_RUSTDOC_TEST_PATH") {
448                 let line = env::var("UNSTABLE_RUSTDOC_TEST_LINE").
449                             expect("when UNSTABLE_RUSTDOC_TEST_PATH is set \
450                                     UNSTABLE_RUSTDOC_TEST_LINE also needs to be set");
451                 let line = isize::from_str_radix(&line, 10).
452                             expect("UNSTABLE_RUSTDOC_TEST_LINE needs to be an number");
453                 let file_name = FileName::doc_test_source_code(PathBuf::from(path), line);
454                 return Some((Input::Str { name: file_name, input: src }, None, err));
455             }
456             Some((Input::Str { name: FileName::anon_source_code(&src), input: src },
457                   None, err))
458         } else {
459             Some((Input::File(PathBuf::from(ifile)),
460                   Some(PathBuf::from(ifile)), None))
461         }
462     } else {
463         None
464     }
465 }
466
467 // Whether to stop or continue compilation.
468 #[derive(Copy, Clone, Debug, Eq, PartialEq)]
469 pub enum Compilation {
470     Stop,
471     Continue,
472 }
473
474 impl Compilation {
475     pub fn and_then<F: FnOnce() -> Compilation>(self, next: F) -> Compilation {
476         match self {
477             Compilation::Stop => Compilation::Stop,
478             Compilation::Continue => next(),
479         }
480     }
481 }
482
483 /// CompilerCalls instance for a regular rustc build.
484 #[derive(Copy, Clone)]
485 pub struct RustcDefaultCalls;
486
487 // FIXME remove these and use winapi 0.3 instead
488 // Duplicates: bootstrap/compile.rs, librustc_errors/emitter.rs
489 #[cfg(unix)]
490 fn stdout_isatty() -> bool {
491     unsafe { libc::isatty(libc::STDOUT_FILENO) != 0 }
492 }
493
494 #[cfg(windows)]
495 fn stdout_isatty() -> bool {
496     type DWORD = u32;
497     type BOOL = i32;
498     type HANDLE = *mut u8;
499     type LPDWORD = *mut u32;
500     const STD_OUTPUT_HANDLE: DWORD = -11i32 as DWORD;
501     extern "system" {
502         fn GetStdHandle(which: DWORD) -> HANDLE;
503         fn GetConsoleMode(hConsoleHandle: HANDLE, lpMode: LPDWORD) -> BOOL;
504     }
505     unsafe {
506         let handle = GetStdHandle(STD_OUTPUT_HANDLE);
507         let mut out = 0;
508         GetConsoleMode(handle, &mut out) != 0
509     }
510 }
511
512 fn handle_explain(registry: Registry, code: &str, output: ErrorOutputType) {
513     let normalised = if code.starts_with("E") {
514         code.to_string()
515     } else {
516         format!("E{0:0>4}", code)
517     };
518     match registry.find_description(&normalised) {
519         Some(ref description) => {
520             let mut is_in_code_block = false;
521             let mut text = String::new();
522
523             // Slice off the leading newline and print.
524             for line in description.lines() {
525                 let indent_level = line.find(|c: char| !c.is_whitespace())
526                     .unwrap_or_else(|| line.len());
527                 let dedented_line = &line[indent_level..];
528                 if dedented_line.starts_with("```") {
529                     is_in_code_block = !is_in_code_block;
530                     text.push_str(&line[..(indent_level + 3)]);
531                 } else if is_in_code_block && dedented_line.starts_with("# ") {
532                     continue;
533                 } else {
534                     text.push_str(line);
535                 }
536                 text.push('\n');
537             }
538
539             if stdout_isatty() {
540                 show_content_with_pager(&text);
541             } else {
542                 print!("{}", text);
543             }
544         }
545         None => {
546             early_error(output, &format!("no extended information for {}", code));
547         }
548     }
549 }
550
551 fn show_content_with_pager(content: &String) {
552     let pager_name = env::var_os("PAGER").unwrap_or_else(|| if cfg!(windows) {
553         OsString::from("more.com")
554     } else {
555         OsString::from("less")
556     });
557
558     let mut fallback_to_println = false;
559
560     match Command::new(pager_name).stdin(Stdio::piped()).spawn() {
561         Ok(mut pager) => {
562             if let Some(pipe) = pager.stdin.as_mut() {
563                 if pipe.write_all(content.as_bytes()).is_err() {
564                     fallback_to_println = true;
565                 }
566             }
567
568             if pager.wait().is_err() {
569                 fallback_to_println = true;
570             }
571         }
572         Err(_) => {
573             fallback_to_println = true;
574         }
575     }
576
577     // If pager fails for whatever reason, we should still print the content
578     // to standard output
579     if fallback_to_println {
580         print!("{}", content);
581     }
582 }
583
584 impl RustcDefaultCalls {
585     pub fn list_metadata(sess: &Session,
586                          metadata_loader: &dyn MetadataLoader,
587                          matches: &getopts::Matches,
588                          input: &Input)
589                          -> Compilation {
590         let r = matches.opt_strs("Z");
591         if r.iter().any(|s| *s == "ls") {
592             match input {
593                 &Input::File(ref ifile) => {
594                     let path = &(*ifile);
595                     let mut v = Vec::new();
596                     locator::list_file_metadata(&sess.target.target,
597                                                 path,
598                                                 metadata_loader,
599                                                 &mut v)
600                             .unwrap();
601                     println!("{}", String::from_utf8(v).unwrap());
602                 }
603                 &Input::Str { .. } => {
604                     early_error(ErrorOutputType::default(), "cannot list metadata for stdin");
605                 }
606             }
607             return Compilation::Stop;
608         }
609
610         Compilation::Continue
611     }
612
613
614     fn print_crate_info(codegen_backend: &dyn CodegenBackend,
615                         sess: &Session,
616                         input: Option<&Input>,
617                         odir: &Option<PathBuf>,
618                         ofile: &Option<PathBuf>)
619                         -> Compilation {
620         use rustc::session::config::PrintRequest::*;
621         // PrintRequest::NativeStaticLibs is special - printed during linking
622         // (empty iterator returns true)
623         if sess.opts.prints.iter().all(|&p| p == PrintRequest::NativeStaticLibs) {
624             return Compilation::Continue;
625         }
626
627         let attrs = match input {
628             None => None,
629             Some(input) => {
630                 let result = parse_crate_attrs(sess, input);
631                 match result {
632                     Ok(attrs) => Some(attrs),
633                     Err(mut parse_error) => {
634                         parse_error.emit();
635                         return Compilation::Stop;
636                     }
637                 }
638             }
639         };
640         for req in &sess.opts.prints {
641             match *req {
642                 TargetList => {
643                     let mut targets = rustc_target::spec::get_targets().collect::<Vec<String>>();
644                     targets.sort();
645                     println!("{}", targets.join("\n"));
646                 },
647                 Sysroot => println!("{}", sess.sysroot.display()),
648                 TargetSpec => println!("{}", sess.target.target.to_json().pretty()),
649                 FileNames | CrateName => {
650                     let input = input.unwrap_or_else(||
651                         early_error(ErrorOutputType::default(), "no input file provided"));
652                     let attrs = attrs.as_ref().unwrap();
653                     let t_outputs = rustc_interface::util::build_output_filenames(
654                         input,
655                         odir,
656                         ofile,
657                         attrs,
658                         sess
659                     );
660                     let id = rustc_codegen_utils::link::find_crate_name(Some(sess), attrs, input);
661                     if *req == PrintRequest::CrateName {
662                         println!("{}", id);
663                         continue;
664                     }
665                     let crate_types = rustc_interface::util::collect_crate_types(sess, attrs);
666                     for &style in &crate_types {
667                         let fname = rustc_codegen_utils::link::filename_for_input(
668                             sess,
669                             style,
670                             &id,
671                             &t_outputs
672                         );
673                         println!("{}", fname.file_name().unwrap().to_string_lossy());
674                     }
675                 }
676                 Cfg => {
677                     let allow_unstable_cfg = UnstableFeatures::from_environment()
678                         .is_nightly_build();
679
680                     let mut cfgs = sess.parse_sess.config.iter().filter_map(|&(name, ref value)| {
681                         let gated_cfg = GatedCfg::gate(&ast::MetaItem {
682                             path: ast::Path::from_ident(ast::Ident::with_dummy_span(name)),
683                             kind: ast::MetaItemKind::Word,
684                             span: DUMMY_SP,
685                         });
686
687                         // Note that crt-static is a specially recognized cfg
688                         // directive that's printed out here as part of
689                         // rust-lang/rust#37406, but in general the
690                         // `target_feature` cfg is gated under
691                         // rust-lang/rust#29717. For now this is just
692                         // specifically allowing the crt-static cfg and that's
693                         // it, this is intended to get into Cargo and then go
694                         // through to build scripts.
695                         let value = value.as_ref().map(|s| s.as_str());
696                         let value = value.as_ref().map(|s| s.as_ref());
697                         if name != sym::target_feature || value != Some("crt-static") {
698                             if !allow_unstable_cfg && gated_cfg.is_some() {
699                                 return None
700                             }
701                         }
702
703                         if let Some(value) = value {
704                             Some(format!("{}=\"{}\"", name, value))
705                         } else {
706                             Some(name.to_string())
707                         }
708                     }).collect::<Vec<String>>();
709
710                     cfgs.sort();
711                     for cfg in cfgs {
712                         println!("{}", cfg);
713                     }
714                 }
715                 RelocationModels | CodeModels | TlsModels | TargetCPUs | TargetFeatures => {
716                     codegen_backend.print(*req, sess);
717                 }
718                 // Any output here interferes with Cargo's parsing of other printed output
719                 PrintRequest::NativeStaticLibs => {}
720             }
721         }
722         return Compilation::Stop;
723     }
724 }
725
726 /// Returns a version string such as "0.12.0-dev".
727 fn release_str() -> Option<&'static str> {
728     option_env!("CFG_RELEASE")
729 }
730
731 /// Returns the full SHA1 hash of HEAD of the Git repo from which rustc was built.
732 fn commit_hash_str() -> Option<&'static str> {
733     option_env!("CFG_VER_HASH")
734 }
735
736 /// Returns the "commit date" of HEAD of the Git repo from which rustc was built as a static string.
737 fn commit_date_str() -> Option<&'static str> {
738     option_env!("CFG_VER_DATE")
739 }
740
741 /// Prints version information
742 pub fn version(binary: &str, matches: &getopts::Matches) {
743     let verbose = matches.opt_present("verbose");
744
745     println!("{} {}", binary, option_env!("CFG_VERSION").unwrap_or("unknown version"));
746
747     if verbose {
748         fn unw(x: Option<&str>) -> &str {
749             x.unwrap_or("unknown")
750         }
751         println!("binary: {}", binary);
752         println!("commit-hash: {}", unw(commit_hash_str()));
753         println!("commit-date: {}", unw(commit_date_str()));
754         println!("host: {}", config::host_triple());
755         println!("release: {}", unw(release_str()));
756         get_codegen_sysroot("llvm")().print_version();
757     }
758 }
759
760 fn usage(verbose: bool, include_unstable_options: bool) {
761     let groups = if verbose {
762         config::rustc_optgroups()
763     } else {
764         config::rustc_short_optgroups()
765     };
766     let mut options = getopts::Options::new();
767     for option in groups.iter().filter(|x| include_unstable_options || x.is_stable()) {
768         (option.apply)(&mut options);
769     }
770     let message = "Usage: rustc [OPTIONS] INPUT";
771     let nightly_help = if nightly_options::is_nightly_build() {
772         "\n    -Z help             Print unstable compiler options"
773     } else {
774         ""
775     };
776     let verbose_help = if verbose {
777         ""
778     } else {
779         "\n    --help -v           Print the full set of options rustc accepts"
780     };
781     let at_path = if verbose && nightly_options::is_nightly_build() {
782         "    @path               Read newline separated options from `path`\n"
783     } else {
784         ""
785     };
786     println!("{options}{at_path}\nAdditional help:
787     -C help             Print codegen options
788     -W help             \
789               Print 'lint' options and default settings{nightly}{verbose}\n",
790              options = options.usage(message),
791              at_path = at_path,
792              nightly = nightly_help,
793              verbose = verbose_help);
794 }
795
796 fn print_wall_help() {
797     println!("
798 The flag `-Wall` does not exist in `rustc`. Most useful lints are enabled by
799 default. Use `rustc -W help` to see all available lints. It's more common to put
800 warning settings in the crate root using `#![warn(LINT_NAME)]` instead of using
801 the command line flag directly.
802 ");
803 }
804
805 fn describe_lints(sess: &Session, lint_store: &lint::LintStore, loaded_plugins: bool) {
806     println!("
807 Available lint options:
808     -W <foo>           Warn about <foo>
809     -A <foo>           \
810               Allow <foo>
811     -D <foo>           Deny <foo>
812     -F <foo>           Forbid <foo> \
813               (deny <foo> and all attempts to override)
814
815 ");
816
817     fn sort_lints(sess: &Session, mut lints: Vec<&'static Lint>) -> Vec<&'static Lint> {
818         // The sort doesn't case-fold but it's doubtful we care.
819         lints.sort_by_cached_key(|x: &&Lint| (x.default_level(sess), x.name));
820         lints
821     }
822
823     fn sort_lint_groups(lints: Vec<(&'static str, Vec<lint::LintId>, bool)>)
824                         -> Vec<(&'static str, Vec<lint::LintId>)> {
825         let mut lints: Vec<_> = lints.into_iter().map(|(x, y, _)| (x, y)).collect();
826         lints.sort_by_key(|l| l.0);
827         lints
828     }
829
830     let (plugin, builtin): (Vec<_>, _) = lint_store.get_lints()
831                                                    .iter()
832                                                    .cloned()
833                                                    .partition(|&lint| lint.is_plugin);
834     let plugin = sort_lints(sess, plugin);
835     let builtin = sort_lints(sess, builtin);
836
837     let (plugin_groups, builtin_groups): (Vec<_>, _) = lint_store.get_lint_groups()
838                                                                  .iter()
839                                                                  .cloned()
840                                                                  .partition(|&(.., p)| p);
841     let plugin_groups = sort_lint_groups(plugin_groups);
842     let builtin_groups = sort_lint_groups(builtin_groups);
843
844     let max_name_len = plugin.iter()
845                              .chain(&builtin)
846                              .map(|&s| s.name.chars().count())
847                              .max()
848                              .unwrap_or(0);
849     let padded = |x: &str| {
850         let mut s = " ".repeat(max_name_len - x.chars().count());
851         s.push_str(x);
852         s
853     };
854
855     println!("Lint checks provided by rustc:\n");
856     println!("    {}  {:7.7}  {}", padded("name"), "default", "meaning");
857     println!("    {}  {:7.7}  {}", padded("----"), "-------", "-------");
858
859     let print_lints = |lints: Vec<&Lint>| {
860         for lint in lints {
861             let name = lint.name_lower().replace("_", "-");
862             println!("    {}  {:7.7}  {}",
863                      padded(&name),
864                      lint.default_level.as_str(),
865                      lint.desc);
866         }
867         println!("\n");
868     };
869
870     print_lints(builtin);
871
872     let max_name_len = max("warnings".len(),
873                            plugin_groups.iter()
874                                         .chain(&builtin_groups)
875                                         .map(|&(s, _)| s.chars().count())
876                                         .max()
877                                         .unwrap_or(0));
878
879     let padded = |x: &str| {
880         let mut s = " ".repeat(max_name_len - x.chars().count());
881         s.push_str(x);
882         s
883     };
884
885     println!("Lint groups provided by rustc:\n");
886     println!("    {}  {}", padded("name"), "sub-lints");
887     println!("    {}  {}", padded("----"), "---------");
888     println!("    {}  {}", padded("warnings"), "all lints that are set to issue warnings");
889
890     let print_lint_groups = |lints: Vec<(&'static str, Vec<lint::LintId>)>| {
891         for (name, to) in lints {
892             let name = name.to_lowercase().replace("_", "-");
893             let desc = to.into_iter()
894                          .map(|x| x.to_string().replace("_", "-"))
895                          .collect::<Vec<String>>()
896                          .join(", ");
897             println!("    {}  {}", padded(&name), desc);
898         }
899         println!("\n");
900     };
901
902     print_lint_groups(builtin_groups);
903
904     match (loaded_plugins, plugin.len(), plugin_groups.len()) {
905         (false, 0, _) | (false, _, 0) => {
906             println!("Compiler plugins can provide additional lints and lint groups. To see a \
907                       listing of these, re-run `rustc -W help` with a crate filename.");
908         }
909         (false, ..) => panic!("didn't load lint plugins but got them anyway!"),
910         (true, 0, 0) => println!("This crate does not load any lint plugins or lint groups."),
911         (true, l, g) => {
912             if l > 0 {
913                 println!("Lint checks provided by plugins loaded by this crate:\n");
914                 print_lints(plugin);
915             }
916             if g > 0 {
917                 println!("Lint groups provided by plugins loaded by this crate:\n");
918                 print_lint_groups(plugin_groups);
919             }
920         }
921     }
922 }
923
924 fn describe_debug_flags() {
925     println!("\nAvailable options:\n");
926     print_flag_list("-Z", config::DB_OPTIONS);
927 }
928
929 fn describe_codegen_flags() {
930     println!("\nAvailable codegen options:\n");
931     print_flag_list("-C", config::CG_OPTIONS);
932 }
933
934 fn print_flag_list<T>(cmdline_opt: &str,
935                       flag_list: &[(&'static str, T, Option<&'static str>, &'static str)]) {
936     let max_len = flag_list.iter()
937                            .map(|&(name, _, opt_type_desc, _)| {
938                                let extra_len = match opt_type_desc {
939                                    Some(..) => 4,
940                                    None => 0,
941                                };
942                                name.chars().count() + extra_len
943                            })
944                            .max()
945                            .unwrap_or(0);
946
947     for &(name, _, opt_type_desc, desc) in flag_list {
948         let (width, extra) = match opt_type_desc {
949             Some(..) => (max_len - 4, "=val"),
950             None => (max_len, ""),
951         };
952         println!("    {} {:>width$}{} -- {}",
953                  cmdline_opt,
954                  name.replace("_", "-"),
955                  extra,
956                  desc,
957                  width = width);
958     }
959 }
960
961 /// Process command line options. Emits messages as appropriate. If compilation
962 /// should continue, returns a getopts::Matches object parsed from args,
963 /// otherwise returns `None`.
964 ///
965 /// The compiler's handling of options is a little complicated as it ties into
966 /// our stability story. The current intention of each compiler option is to
967 /// have one of two modes:
968 ///
969 /// 1. An option is stable and can be used everywhere.
970 /// 2. An option is unstable, and can only be used on nightly.
971 ///
972 /// Like unstable library and language features, however, unstable options have
973 /// always required a form of "opt in" to indicate that you're using them. This
974 /// provides the easy ability to scan a code base to check to see if anything
975 /// unstable is being used. Currently, this "opt in" is the `-Z` "zed" flag.
976 ///
977 /// All options behind `-Z` are considered unstable by default. Other top-level
978 /// options can also be considered unstable, and they were unlocked through the
979 /// `-Z unstable-options` flag. Note that `-Z` remains to be the root of
980 /// instability in both cases, though.
981 ///
982 /// So with all that in mind, the comments below have some more detail about the
983 /// contortions done here to get things to work out correctly.
984 pub fn handle_options(args: &[String]) -> Option<getopts::Matches> {
985     // Throw away the first argument, the name of the binary
986     let args = &args[1..];
987
988     if args.is_empty() {
989         // user did not write `-v` nor `-Z unstable-options`, so do not
990         // include that extra information.
991         usage(false, false);
992         return None;
993     }
994
995     // Parse with *all* options defined in the compiler, we don't worry about
996     // option stability here we just want to parse as much as possible.
997     let mut options = getopts::Options::new();
998     for option in config::rustc_optgroups() {
999         (option.apply)(&mut options);
1000     }
1001     let matches = options.parse(args).unwrap_or_else(|f|
1002         early_error(ErrorOutputType::default(), &f.to_string()));
1003
1004     // For all options we just parsed, we check a few aspects:
1005     //
1006     // * If the option is stable, we're all good
1007     // * If the option wasn't passed, we're all good
1008     // * If `-Z unstable-options` wasn't passed (and we're not a -Z option
1009     //   ourselves), then we require the `-Z unstable-options` flag to unlock
1010     //   this option that was passed.
1011     // * If we're a nightly compiler, then unstable options are now unlocked, so
1012     //   we're good to go.
1013     // * Otherwise, if we're an unstable option then we generate an error
1014     //   (unstable option being used on stable)
1015     nightly_options::check_nightly_options(&matches, &config::rustc_optgroups());
1016
1017     if matches.opt_present("h") || matches.opt_present("help") {
1018         // Only show unstable options in --help if we accept unstable options.
1019         usage(matches.opt_present("verbose"), nightly_options::is_unstable_enabled(&matches));
1020         return None;
1021     }
1022
1023     // Handle the special case of -Wall.
1024     let wall = matches.opt_strs("W");
1025     if wall.iter().any(|x| *x == "all") {
1026         print_wall_help();
1027         return None;
1028     }
1029
1030     // Don't handle -W help here, because we might first load plugins.
1031     let r = matches.opt_strs("Z");
1032     if r.iter().any(|x| *x == "help") {
1033         describe_debug_flags();
1034         return None;
1035     }
1036
1037     let cg_flags = matches.opt_strs("C");
1038
1039     if cg_flags.iter().any(|x| *x == "help") {
1040         describe_codegen_flags();
1041         return None;
1042     }
1043
1044     if cg_flags.iter().any(|x| *x == "no-stack-check") {
1045         early_warn(ErrorOutputType::default(),
1046                    "the --no-stack-check flag is deprecated and does nothing");
1047     }
1048
1049     if cg_flags.iter().any(|x| *x == "passes=list") {
1050         get_codegen_sysroot("llvm")().print_passes();
1051         return None;
1052     }
1053
1054     if matches.opt_present("version") {
1055         version("rustc", &matches);
1056         return None;
1057     }
1058
1059     Some(matches)
1060 }
1061
1062 fn parse_crate_attrs<'a>(sess: &'a Session, input: &Input) -> PResult<'a, Vec<ast::Attribute>> {
1063     match input {
1064         Input::File(ifile) => {
1065             rustc_parse::parse_crate_attrs_from_file(ifile, &sess.parse_sess)
1066         }
1067         Input::Str { name, input } => {
1068             rustc_parse::parse_crate_attrs_from_source_str(
1069                 name.clone(),
1070                 input.clone(),
1071                 &sess.parse_sess,
1072             )
1073         }
1074     }
1075 }
1076
1077 /// Gets a list of extra command-line flags provided by the user, as strings.
1078 ///
1079 /// This function is used during ICEs to show more information useful for
1080 /// debugging, since some ICEs only happens with non-default compiler flags
1081 /// (and the users don't always report them).
1082 fn extra_compiler_flags() -> Option<(Vec<String>, bool)> {
1083     let args = env::args_os().map(|arg| arg.to_string_lossy().to_string()).collect::<Vec<_>>();
1084
1085     // Avoid printing help because of empty args. This can suggest the compiler
1086     // itself is not the program root (consider RLS).
1087     if args.len() < 2 {
1088         return None;
1089     }
1090
1091     let matches = if let Some(matches) = handle_options(&args) {
1092         matches
1093     } else {
1094         return None;
1095     };
1096
1097     let mut result = Vec::new();
1098     let mut excluded_cargo_defaults = false;
1099     for flag in ICE_REPORT_COMPILER_FLAGS {
1100         let prefix = if flag.len() == 1 { "-" } else { "--" };
1101
1102         for content in &matches.opt_strs(flag) {
1103             // Split always returns the first element
1104             let name = if let Some(first) = content.split('=').next() {
1105                 first
1106             } else {
1107                 &content
1108             };
1109
1110             let content = if ICE_REPORT_COMPILER_FLAGS_STRIP_VALUE.contains(&name) {
1111                 name
1112             } else {
1113                 content
1114             };
1115
1116             if !ICE_REPORT_COMPILER_FLAGS_EXCLUDE.contains(&name) {
1117                 result.push(format!("{}{} {}", prefix, flag, content));
1118             } else {
1119                 excluded_cargo_defaults = true;
1120             }
1121         }
1122     }
1123
1124     if !result.is_empty() {
1125         Some((result, excluded_cargo_defaults))
1126     } else {
1127         None
1128     }
1129 }
1130
1131 /// Runs a closure and catches unwinds triggered by fatal errors.
1132 ///
1133 /// The compiler currently unwinds with a special sentinel value to abort
1134 /// compilation on fatal errors. This function catches that sentinel and turns
1135 /// the panic into a `Result` instead.
1136 pub fn catch_fatal_errors<F: FnOnce() -> R, R>(f: F) -> Result<R, ErrorReported> {
1137     catch_unwind(panic::AssertUnwindSafe(f)).map_err(|value| {
1138         if value.is::<errors::FatalErrorMarker>() {
1139             ErrorReported
1140         } else {
1141             panic::resume_unwind(value);
1142         }
1143     })
1144 }
1145
1146 lazy_static! {
1147     static ref DEFAULT_HOOK: Box<dyn Fn(&panic::PanicInfo<'_>) + Sync + Send + 'static> = {
1148         let hook = panic::take_hook();
1149         panic::set_hook(Box::new(|info| report_ice(info, BUG_REPORT_URL)));
1150         hook
1151     };
1152 }
1153
1154 /// Prints the ICE message, including backtrace and query stack.
1155 ///
1156 /// The message will point the user at `bug_report_url` to report the ICE.
1157 ///
1158 /// When `install_ice_hook` is called, this function will be called as the panic
1159 /// hook.
1160 pub fn report_ice(info: &panic::PanicInfo<'_>, bug_report_url: &str) {
1161     // Invoke the default handler, which prints the actual panic message and optionally a backtrace
1162     (*DEFAULT_HOOK)(info);
1163
1164     // Separate the output with an empty line
1165     eprintln!();
1166
1167     let emitter = Box::new(errors::emitter::EmitterWriter::stderr(
1168         errors::ColorConfig::Auto,
1169         None,
1170         false,
1171         false,
1172         None,
1173         false,
1174     ));
1175     let handler = errors::Handler::with_emitter(true, None, emitter);
1176
1177     // a .span_bug or .bug call has already printed what
1178     // it wants to print.
1179     if !info.payload().is::<errors::ExplicitBug>() {
1180         let d = errors::Diagnostic::new(errors::Level::Bug, "unexpected panic");
1181         handler.emit_diagnostic(&d);
1182         handler.abort_if_errors_and_should_abort();
1183     }
1184
1185     let mut xs: Vec<Cow<'static, str>> = vec![
1186         "the compiler unexpectedly panicked. this is a bug.".into(),
1187         format!("we would appreciate a bug report: {}", bug_report_url).into(),
1188         format!("rustc {} running on {}",
1189                 option_env!("CFG_VERSION").unwrap_or("unknown_version"),
1190                 config::host_triple()).into(),
1191     ];
1192
1193     if let Some((flags, excluded_cargo_defaults)) = extra_compiler_flags() {
1194         xs.push(format!("compiler flags: {}", flags.join(" ")).into());
1195
1196         if excluded_cargo_defaults {
1197             xs.push("some of the compiler flags provided by cargo are hidden".into());
1198         }
1199     }
1200
1201     for note in &xs {
1202         handler.note_without_error(&note);
1203     }
1204
1205     // If backtraces are enabled, also print the query stack
1206     let backtrace = env::var_os("RUST_BACKTRACE").map(|x| &x != "0").unwrap_or(false);
1207
1208     if backtrace {
1209         TyCtxt::try_print_query_stack(&handler);
1210     }
1211
1212     #[cfg(windows)]
1213     unsafe {
1214         if env::var("RUSTC_BREAK_ON_ICE").is_ok() {
1215             extern "system" {
1216                 fn DebugBreak();
1217             }
1218             // Trigger a debugger if we crashed during bootstrap
1219             DebugBreak();
1220         }
1221     }
1222 }
1223
1224 /// Installs a panic hook that will print the ICE message on unexpected panics.
1225 ///
1226 /// A custom rustc driver can skip calling this to set up a custom ICE hook.
1227 pub fn install_ice_hook() {
1228     lazy_static::initialize(&DEFAULT_HOOK);
1229 }
1230
1231 /// This allows tools to enable rust logging without having to magically match rustc's
1232 /// log crate version
1233 pub fn init_rustc_env_logger() {
1234     env_logger::init_from_env("RUSTC_LOG");
1235 }
1236
1237 pub fn main() {
1238     let start = Instant::now();
1239     init_rustc_env_logger();
1240     let mut callbacks = TimePassesCallbacks::default();
1241     install_ice_hook();
1242     let result = catch_fatal_errors(|| {
1243         let args = env::args_os().enumerate()
1244             .map(|(i, arg)| arg.into_string().unwrap_or_else(|arg| {
1245                     early_error(ErrorOutputType::default(),
1246                             &format!("Argument {} is not valid Unicode: {:?}", i, arg))
1247             }))
1248             .collect::<Vec<_>>();
1249         run_compiler(&args, &mut callbacks, None, None)
1250     }).and_then(|result| result);
1251     let exit_code = match result {
1252         Ok(_) => EXIT_SUCCESS,
1253         Err(_) => EXIT_FAILURE,
1254     };
1255     // The extra `\t` is necessary to align this label with the others.
1256     set_time_depth(0);
1257     print_time_passes_entry(callbacks.time_passes, "\ttotal", start.elapsed());
1258     process::exit(exit_code);
1259 }