]> git.lizzy.rs Git - rust.git/blob - src/librustc/session/config.rs
Rollup merge of #61195 - davidtwco:seg-fault-mangler, r=eddyb
[rust.git] / src / librustc / session / config.rs
1 // ignore-tidy-filelength
2
3 //! Contains infrastructure for configuring the compiler, including parsing
4 //! command line options.
5
6 use std::str::FromStr;
7
8 use crate::session::{early_error, early_warn, Session};
9 use crate::session::search_paths::SearchPath;
10
11 use rustc_target::spec::{LinkerFlavor, MergeFunctions, PanicStrategy, RelroLevel};
12 use rustc_target::spec::{Target, TargetTriple};
13 use crate::lint;
14 use crate::middle::cstore;
15
16 use syntax;
17 use syntax::ast::{self, IntTy, UintTy, MetaItemKind};
18 use syntax::source_map::{FileName, FilePathMapping};
19 use syntax::edition::{Edition, EDITION_NAME_LIST, DEFAULT_EDITION};
20 use syntax::parse::token;
21 use syntax::parse;
22 use syntax::symbol::{sym, Symbol};
23 use syntax::feature_gate::UnstableFeatures;
24 use errors::emitter::HumanReadableErrorType;
25
26 use errors::{ColorConfig, FatalError, Handler};
27
28 use getopts;
29 use std::collections::{BTreeMap, BTreeSet};
30 use std::collections::btree_map::Iter as BTreeMapIter;
31 use std::collections::btree_map::Keys as BTreeMapKeysIter;
32 use std::collections::btree_map::Values as BTreeMapValuesIter;
33
34 use rustc_data_structures::fx::FxHashSet;
35 use std::{fmt, str};
36 use std::hash::Hasher;
37 use std::collections::hash_map::DefaultHasher;
38 use std::iter::FromIterator;
39 use std::path::{Path, PathBuf};
40
41 pub struct Config {
42     pub target: Target,
43     pub isize_ty: IntTy,
44     pub usize_ty: UintTy,
45 }
46
47 #[derive(Clone, Hash, Debug)]
48 pub enum Sanitizer {
49     Address,
50     Leak,
51     Memory,
52     Thread,
53 }
54
55 #[derive(Clone, Copy, Debug, PartialEq, Hash)]
56 pub enum OptLevel {
57     No,         // -O0
58     Less,       // -O1
59     Default,    // -O2
60     Aggressive, // -O3
61     Size,       // -Os
62     SizeMin,    // -Oz
63 }
64
65 impl_stable_hash_via_hash!(OptLevel);
66
67 /// This is what the `LtoCli` values get mapped to after resolving defaults and
68 /// and taking other command line options into account.
69 #[derive(Clone, Copy, PartialEq, Hash, Debug)]
70 pub enum Lto {
71     /// Don't do any LTO whatsoever
72     No,
73
74     /// Do a full crate graph LTO with ThinLTO
75     Thin,
76
77     /// Do a local graph LTO with ThinLTO (only relevant for multiple codegen
78     /// units).
79     ThinLocal,
80
81     /// Do a full crate graph LTO with "fat" LTO
82     Fat,
83 }
84
85 /// The different settings that the `-C lto` flag can have.
86 #[derive(Clone, Copy, PartialEq, Hash, Debug)]
87 pub enum LtoCli {
88     /// `-C lto=no`
89     No,
90     /// `-C lto=yes`
91     Yes,
92     /// `-C lto`
93     NoParam,
94     /// `-C lto=thin`
95     Thin,
96     /// `-C lto=fat`
97     Fat,
98     /// No `-C lto` flag passed
99     Unspecified,
100 }
101
102 #[derive(Clone, PartialEq, Hash)]
103 pub enum LinkerPluginLto {
104     LinkerPlugin(PathBuf),
105     LinkerPluginAuto,
106     Disabled
107 }
108
109 impl LinkerPluginLto {
110     pub fn enabled(&self) -> bool {
111         match *self {
112             LinkerPluginLto::LinkerPlugin(_) |
113             LinkerPluginLto::LinkerPluginAuto => true,
114             LinkerPluginLto::Disabled => false,
115         }
116     }
117 }
118
119 #[derive(Clone, PartialEq, Hash)]
120 pub enum SwitchWithOptPath {
121     Enabled(Option<PathBuf>),
122     Disabled,
123 }
124
125 impl SwitchWithOptPath {
126     pub fn enabled(&self) -> bool {
127         match *self {
128             SwitchWithOptPath::Enabled(_) => true,
129             SwitchWithOptPath::Disabled => false,
130         }
131     }
132 }
133
134 #[derive(Clone, Copy, PartialEq, Hash)]
135 pub enum DebugInfo {
136     None,
137     Limited,
138     Full,
139 }
140
141 #[derive(Clone, Copy, PartialEq, Eq, Hash, Debug, PartialOrd, Ord, RustcEncodable, RustcDecodable)]
142 pub enum OutputType {
143     Bitcode,
144     Assembly,
145     LlvmAssembly,
146     Mir,
147     Metadata,
148     Object,
149     Exe,
150     DepInfo,
151 }
152
153 impl_stable_hash_via_hash!(OutputType);
154
155 impl OutputType {
156     fn is_compatible_with_codegen_units_and_single_output_file(&self) -> bool {
157         match *self {
158             OutputType::Exe | OutputType::DepInfo | OutputType::Metadata => true,
159             OutputType::Bitcode
160             | OutputType::Assembly
161             | OutputType::LlvmAssembly
162             | OutputType::Mir
163             | OutputType::Object => false,
164         }
165     }
166
167     fn shorthand(&self) -> &'static str {
168         match *self {
169             OutputType::Bitcode => "llvm-bc",
170             OutputType::Assembly => "asm",
171             OutputType::LlvmAssembly => "llvm-ir",
172             OutputType::Mir => "mir",
173             OutputType::Object => "obj",
174             OutputType::Metadata => "metadata",
175             OutputType::Exe => "link",
176             OutputType::DepInfo => "dep-info",
177         }
178     }
179
180     fn from_shorthand(shorthand: &str) -> Option<Self> {
181         Some(match shorthand {
182             "asm" => OutputType::Assembly,
183             "llvm-ir" => OutputType::LlvmAssembly,
184             "mir" => OutputType::Mir,
185             "llvm-bc" => OutputType::Bitcode,
186             "obj" => OutputType::Object,
187             "metadata" => OutputType::Metadata,
188             "link" => OutputType::Exe,
189             "dep-info" => OutputType::DepInfo,
190             _ => return None,
191         })
192     }
193
194     fn shorthands_display() -> String {
195         format!(
196             "`{}`, `{}`, `{}`, `{}`, `{}`, `{}`, `{}`, `{}`",
197             OutputType::Bitcode.shorthand(),
198             OutputType::Assembly.shorthand(),
199             OutputType::LlvmAssembly.shorthand(),
200             OutputType::Mir.shorthand(),
201             OutputType::Object.shorthand(),
202             OutputType::Metadata.shorthand(),
203             OutputType::Exe.shorthand(),
204             OutputType::DepInfo.shorthand(),
205         )
206     }
207
208     pub fn extension(&self) -> &'static str {
209         match *self {
210             OutputType::Bitcode => "bc",
211             OutputType::Assembly => "s",
212             OutputType::LlvmAssembly => "ll",
213             OutputType::Mir => "mir",
214             OutputType::Object => "o",
215             OutputType::Metadata => "rmeta",
216             OutputType::DepInfo => "d",
217             OutputType::Exe => "",
218         }
219     }
220 }
221
222 #[derive(Clone, Copy, Debug, PartialEq, Eq)]
223 pub enum ErrorOutputType {
224     HumanReadable(HumanReadableErrorType),
225     Json {
226         /// Render the json in a human readable way (with indents and newlines)
227         pretty: bool,
228         /// The way the `rendered` field is created
229         json_rendered: HumanReadableErrorType,
230     },
231 }
232
233 impl Default for ErrorOutputType {
234     fn default() -> ErrorOutputType {
235         ErrorOutputType::HumanReadable(HumanReadableErrorType::Default(ColorConfig::Auto))
236     }
237 }
238
239 // Use tree-based collections to cheaply get a deterministic Hash implementation.
240 // DO NOT switch BTreeMap out for an unsorted container type! That would break
241 // dependency tracking for command-line arguments.
242 #[derive(Clone, Hash)]
243 pub struct OutputTypes(BTreeMap<OutputType, Option<PathBuf>>);
244
245 impl_stable_hash_via_hash!(OutputTypes);
246
247 impl OutputTypes {
248     pub fn new(entries: &[(OutputType, Option<PathBuf>)]) -> OutputTypes {
249         OutputTypes(BTreeMap::from_iter(
250             entries.iter().map(|&(k, ref v)| (k, v.clone())),
251         ))
252     }
253
254     pub fn get(&self, key: &OutputType) -> Option<&Option<PathBuf>> {
255         self.0.get(key)
256     }
257
258     pub fn contains_key(&self, key: &OutputType) -> bool {
259         self.0.contains_key(key)
260     }
261
262     pub fn keys<'a>(&'a self) -> BTreeMapKeysIter<'a, OutputType, Option<PathBuf>> {
263         self.0.keys()
264     }
265
266     pub fn values<'a>(&'a self) -> BTreeMapValuesIter<'a, OutputType, Option<PathBuf>> {
267         self.0.values()
268     }
269
270     pub fn len(&self) -> usize {
271         self.0.len()
272     }
273
274     // True if any of the output types require codegen or linking.
275     pub fn should_codegen(&self) -> bool {
276         self.0.keys().any(|k| match *k {
277             OutputType::Bitcode
278             | OutputType::Assembly
279             | OutputType::LlvmAssembly
280             | OutputType::Mir
281             | OutputType::Object
282             | OutputType::Exe => true,
283             OutputType::Metadata | OutputType::DepInfo => false,
284         })
285     }
286 }
287
288 // Use tree-based collections to cheaply get a deterministic Hash implementation.
289 // DO NOT switch BTreeMap or BTreeSet out for an unsorted container type! That
290 // would break dependency tracking for command-line arguments.
291 #[derive(Clone, Hash)]
292 pub struct Externs(BTreeMap<String, ExternEntry>);
293
294 #[derive(Clone, Hash, Eq, PartialEq, Ord, PartialOrd, Debug, Default)]
295 pub struct ExternEntry {
296     pub locations: BTreeSet<Option<String>>,
297     pub is_private_dep: bool
298 }
299
300 impl Externs {
301     pub fn new(data: BTreeMap<String, ExternEntry>) -> Externs {
302         Externs(data)
303     }
304
305     pub fn get(&self, key: &str) -> Option<&ExternEntry> {
306         self.0.get(key)
307     }
308
309     pub fn iter<'a>(&'a self) -> BTreeMapIter<'a, String, ExternEntry> {
310         self.0.iter()
311     }
312 }
313
314
315 macro_rules! hash_option {
316     ($opt_name:ident, $opt_expr:expr, $sub_hashes:expr, [UNTRACKED]) => ({});
317     ($opt_name:ident, $opt_expr:expr, $sub_hashes:expr, [TRACKED]) => ({
318         if $sub_hashes.insert(stringify!($opt_name),
319                               $opt_expr as &dyn dep_tracking::DepTrackingHash).is_some() {
320             bug!("Duplicate key in CLI DepTrackingHash: {}", stringify!($opt_name))
321         }
322     });
323     ($opt_name:ident,
324      $opt_expr:expr,
325      $sub_hashes:expr,
326      [UNTRACKED_WITH_WARNING $warn_val:expr, $warn_text:expr, $error_format:expr]) => ({
327         if *$opt_expr == $warn_val {
328             early_warn($error_format, $warn_text)
329         }
330     });
331 }
332
333 macro_rules! top_level_options {
334     (pub struct Options { $(
335         $opt:ident : $t:ty [$dep_tracking_marker:ident $($warn_val:expr, $warn_text:expr)*],
336     )* } ) => (
337         #[derive(Clone)]
338         pub struct Options {
339             $(pub $opt: $t),*
340         }
341
342         impl Options {
343             pub fn dep_tracking_hash(&self) -> u64 {
344                 let mut sub_hashes = BTreeMap::new();
345                 $({
346                     hash_option!($opt,
347                                  &self.$opt,
348                                  &mut sub_hashes,
349                                  [$dep_tracking_marker $($warn_val,
350                                                          $warn_text,
351                                                          self.error_format)*]);
352                 })*
353                 let mut hasher = DefaultHasher::new();
354                 dep_tracking::stable_hash(sub_hashes,
355                                           &mut hasher,
356                                           self.error_format);
357                 hasher.finish()
358             }
359         }
360     );
361 }
362
363 // The top-level command-line options struct
364 //
365 // For each option, one has to specify how it behaves with regard to the
366 // dependency tracking system of incremental compilation. This is done via the
367 // square-bracketed directive after the field type. The options are:
368 //
369 // [TRACKED]
370 // A change in the given field will cause the compiler to completely clear the
371 // incremental compilation cache before proceeding.
372 //
373 // [UNTRACKED]
374 // Incremental compilation is not influenced by this option.
375 //
376 // [UNTRACKED_WITH_WARNING(val, warning)]
377 // The option is incompatible with incremental compilation in some way. If it
378 // has the value `val`, the string `warning` is emitted as a warning.
379 //
380 // If you add a new option to this struct or one of the sub-structs like
381 // CodegenOptions, think about how it influences incremental compilation. If in
382 // doubt, specify [TRACKED], which is always "correct" but might lead to
383 // unnecessary re-compilation.
384 top_level_options!(
385     pub struct Options {
386         // The crate config requested for the session, which may be combined
387         // with additional crate configurations during the compile process
388         crate_types: Vec<CrateType> [TRACKED],
389         optimize: OptLevel [TRACKED],
390         // Include the debug_assertions flag into dependency tracking, since it
391         // can influence whether overflow checks are done or not.
392         debug_assertions: bool [TRACKED],
393         debuginfo: DebugInfo [TRACKED],
394         lint_opts: Vec<(String, lint::Level)> [TRACKED],
395         lint_cap: Option<lint::Level> [TRACKED],
396         describe_lints: bool [UNTRACKED],
397         output_types: OutputTypes [TRACKED],
398         search_paths: Vec<SearchPath> [UNTRACKED],
399         libs: Vec<(String, Option<String>, Option<cstore::NativeLibraryKind>)> [TRACKED],
400         maybe_sysroot: Option<PathBuf> [TRACKED],
401
402         target_triple: TargetTriple [TRACKED],
403
404         test: bool [TRACKED],
405         error_format: ErrorOutputType [UNTRACKED],
406
407         // if Some, enable incremental compilation, using the given
408         // directory to store intermediate results
409         incremental: Option<PathBuf> [UNTRACKED],
410
411         debugging_opts: DebuggingOptions [TRACKED],
412         prints: Vec<PrintRequest> [UNTRACKED],
413         // Determines which borrow checker(s) to run. This is the parsed, sanitized
414         // version of `debugging_opts.borrowck`, which is just a plain string.
415         borrowck_mode: BorrowckMode [UNTRACKED],
416         cg: CodegenOptions [TRACKED],
417         externs: Externs [UNTRACKED],
418         crate_name: Option<String> [TRACKED],
419         // An optional name to use as the crate for std during std injection,
420         // written `extern crate name as std`. Defaults to `std`. Used by
421         // out-of-tree drivers.
422         alt_std_name: Option<String> [TRACKED],
423         // Indicates how the compiler should treat unstable features
424         unstable_features: UnstableFeatures [TRACKED],
425
426         // Indicates whether this run of the compiler is actually rustdoc. This
427         // is currently just a hack and will be removed eventually, so please
428         // try to not rely on this too much.
429         actually_rustdoc: bool [TRACKED],
430
431         // Specifications of codegen units / ThinLTO which are forced as a
432         // result of parsing command line options. These are not necessarily
433         // what rustc was invoked with, but massaged a bit to agree with
434         // commands like `--emit llvm-ir` which they're often incompatible with
435         // if we otherwise use the defaults of rustc.
436         cli_forced_codegen_units: Option<usize> [UNTRACKED],
437         cli_forced_thinlto_off: bool [UNTRACKED],
438
439         // Remap source path prefixes in all output (messages, object files, debug, etc)
440         remap_path_prefix: Vec<(PathBuf, PathBuf)> [UNTRACKED],
441
442         edition: Edition [TRACKED],
443     }
444 );
445
446 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
447 pub enum PrintRequest {
448     FileNames,
449     Sysroot,
450     CrateName,
451     Cfg,
452     TargetList,
453     TargetCPUs,
454     TargetFeatures,
455     RelocationModels,
456     CodeModels,
457     TlsModels,
458     TargetSpec,
459     NativeStaticLibs,
460 }
461
462 #[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, Hash)]
463 pub enum BorrowckMode {
464     Mir,
465     Migrate,
466 }
467
468 impl BorrowckMode {
469     /// Should we run the MIR-based borrow check, but also fall back
470     /// on the AST borrow check if the MIR-based one errors.
471     pub fn migrate(self) -> bool {
472         match self {
473             BorrowckMode::Mir => false,
474             BorrowckMode::Migrate => true,
475         }
476     }
477
478     /// Should we emit the AST-based borrow checker errors?
479     pub fn use_ast(self) -> bool {
480         match self {
481             BorrowckMode::Mir => false,
482             BorrowckMode::Migrate => false,
483         }
484     }
485 }
486
487 pub enum Input {
488     /// Loads source from file
489     File(PathBuf),
490     Str {
491         /// String that is shown in place of a filename
492         name: FileName,
493         /// Anonymous source string
494         input: String,
495     },
496 }
497
498 impl Input {
499     pub fn filestem(&self) -> &str {
500         match *self {
501             Input::File(ref ifile) => ifile.file_stem().unwrap().to_str().unwrap(),
502             Input::Str { .. } => "rust_out",
503         }
504     }
505
506     pub fn get_input(&mut self) -> Option<&mut String> {
507         match *self {
508             Input::File(_) => None,
509             Input::Str { ref mut input, .. } => Some(input),
510         }
511     }
512
513     pub fn source_name(&self) -> FileName {
514         match *self {
515             Input::File(ref ifile) => ifile.clone().into(),
516             Input::Str { ref name, .. } => name.clone(),
517         }
518     }
519 }
520
521 #[derive(Clone, Hash)]
522 pub struct OutputFilenames {
523     pub out_directory: PathBuf,
524     pub out_filestem: String,
525     pub single_output_file: Option<PathBuf>,
526     pub extra: String,
527     pub outputs: OutputTypes,
528 }
529
530 impl_stable_hash_via_hash!(OutputFilenames);
531
532 pub const RUST_CGU_EXT: &str = "rcgu";
533
534 impl OutputFilenames {
535     pub fn path(&self, flavor: OutputType) -> PathBuf {
536         self.outputs
537             .get(&flavor)
538             .and_then(|p| p.to_owned())
539             .or_else(|| self.single_output_file.clone())
540             .unwrap_or_else(|| self.temp_path(flavor, None))
541     }
542
543     /// Gets the path where a compilation artifact of the given type for the
544     /// given codegen unit should be placed on disk. If codegen_unit_name is
545     /// None, a path distinct from those of any codegen unit will be generated.
546     pub fn temp_path(&self, flavor: OutputType, codegen_unit_name: Option<&str>) -> PathBuf {
547         let extension = flavor.extension();
548         self.temp_path_ext(extension, codegen_unit_name)
549     }
550
551     /// Like temp_path, but also supports things where there is no corresponding
552     /// OutputType, like noopt-bitcode or lto-bitcode.
553     pub fn temp_path_ext(&self, ext: &str, codegen_unit_name: Option<&str>) -> PathBuf {
554         let base = self.out_directory.join(&self.filestem());
555
556         let mut extension = String::new();
557
558         if let Some(codegen_unit_name) = codegen_unit_name {
559             extension.push_str(codegen_unit_name);
560         }
561
562         if !ext.is_empty() {
563             if !extension.is_empty() {
564                 extension.push_str(".");
565                 extension.push_str(RUST_CGU_EXT);
566                 extension.push_str(".");
567             }
568
569             extension.push_str(ext);
570         }
571
572         let path = base.with_extension(&extension[..]);
573         path
574     }
575
576     pub fn with_extension(&self, extension: &str) -> PathBuf {
577         self.out_directory
578             .join(&self.filestem())
579             .with_extension(extension)
580     }
581
582     pub fn filestem(&self) -> String {
583         format!("{}{}", self.out_filestem, self.extra)
584     }
585 }
586
587 pub fn host_triple() -> &'static str {
588     // Get the host triple out of the build environment. This ensures that our
589     // idea of the host triple is the same as for the set of libraries we've
590     // actually built.  We can't just take LLVM's host triple because they
591     // normalize all ix86 architectures to i386.
592     //
593     // Instead of grabbing the host triple (for the current host), we grab (at
594     // compile time) the target triple that this rustc is built with and
595     // calling that (at runtime) the host triple.
596     (option_env!("CFG_COMPILER_HOST_TRIPLE")).expect("CFG_COMPILER_HOST_TRIPLE")
597 }
598
599 impl Default for Options {
600     fn default() -> Options {
601         Options {
602             crate_types: Vec::new(),
603             optimize: OptLevel::No,
604             debuginfo: DebugInfo::None,
605             lint_opts: Vec::new(),
606             lint_cap: None,
607             describe_lints: false,
608             output_types: OutputTypes(BTreeMap::new()),
609             search_paths: vec![],
610             maybe_sysroot: None,
611             target_triple: TargetTriple::from_triple(host_triple()),
612             test: false,
613             incremental: None,
614             debugging_opts: basic_debugging_options(),
615             prints: Vec::new(),
616             borrowck_mode: BorrowckMode::Migrate,
617             cg: basic_codegen_options(),
618             error_format: ErrorOutputType::default(),
619             externs: Externs(BTreeMap::new()),
620             crate_name: None,
621             alt_std_name: None,
622             libs: Vec::new(),
623             unstable_features: UnstableFeatures::Disallow,
624             debug_assertions: true,
625             actually_rustdoc: false,
626             cli_forced_codegen_units: None,
627             cli_forced_thinlto_off: false,
628             remap_path_prefix: Vec::new(),
629             edition: DEFAULT_EDITION,
630         }
631     }
632 }
633
634 impl Options {
635     /// Returns `true` if there is a reason to build the dep graph.
636     pub fn build_dep_graph(&self) -> bool {
637         self.incremental.is_some() || self.debugging_opts.dump_dep_graph
638             || self.debugging_opts.query_dep_graph
639     }
640
641     #[inline(always)]
642     pub fn enable_dep_node_debug_strs(&self) -> bool {
643         cfg!(debug_assertions)
644             && (self.debugging_opts.query_dep_graph || self.debugging_opts.incremental_info)
645     }
646
647     pub fn file_path_mapping(&self) -> FilePathMapping {
648         FilePathMapping::new(self.remap_path_prefix.clone())
649     }
650
651     /// Returns `true` if there will be an output file generated
652     pub fn will_create_output_file(&self) -> bool {
653         !self.debugging_opts.parse_only && // The file is just being parsed
654             !self.debugging_opts.ls // The file is just being queried
655     }
656
657     #[inline]
658     pub fn share_generics(&self) -> bool {
659         match self.debugging_opts.share_generics {
660             Some(setting) => setting,
661             None => {
662                 match self.optimize {
663                     OptLevel::No   |
664                     OptLevel::Less |
665                     OptLevel::Size |
666                     OptLevel::SizeMin => true,
667                     OptLevel::Default    |
668                     OptLevel::Aggressive => false,
669                 }
670             }
671         }
672     }
673 }
674
675 // The type of entry function, so users can have their own entry functions
676 #[derive(Copy, Clone, PartialEq, Hash, Debug)]
677 pub enum EntryFnType {
678     Main,
679     Start,
680 }
681
682 impl_stable_hash_via_hash!(EntryFnType);
683
684 #[derive(Copy, PartialEq, PartialOrd, Clone, Ord, Eq, Hash, Debug)]
685 pub enum CrateType {
686     Executable,
687     Dylib,
688     Rlib,
689     Staticlib,
690     Cdylib,
691     ProcMacro,
692 }
693
694 #[derive(Clone, Hash)]
695 pub enum Passes {
696     Some(Vec<String>),
697     All,
698 }
699
700 impl Passes {
701     pub fn is_empty(&self) -> bool {
702         match *self {
703             Passes::Some(ref v) => v.is_empty(),
704             Passes::All => false,
705         }
706     }
707 }
708
709 /// Declare a macro that will define all CodegenOptions/DebuggingOptions fields and parsers all
710 /// at once. The goal of this macro is to define an interface that can be
711 /// programmatically used by the option parser in order to initialize the struct
712 /// without hardcoding field names all over the place.
713 ///
714 /// The goal is to invoke this macro once with the correct fields, and then this
715 /// macro generates all necessary code. The main gotcha of this macro is the
716 /// cgsetters module which is a bunch of generated code to parse an option into
717 /// its respective field in the struct. There are a few hand-written parsers for
718 /// parsing specific types of values in this module.
719 macro_rules! options {
720     ($struct_name:ident, $setter_name:ident, $defaultfn:ident,
721      $buildfn:ident, $prefix:expr, $outputname:expr,
722      $stat:ident, $mod_desc:ident, $mod_set:ident,
723      $($opt:ident : $t:ty = (
724         $init:expr,
725         $parse:ident,
726         [$dep_tracking_marker:ident $(($dep_warn_val:expr, $dep_warn_text:expr))*],
727         $desc:expr)
728      ),* ,) =>
729 (
730     #[derive(Clone)]
731     pub struct $struct_name { $(pub $opt: $t),* }
732
733     pub fn $defaultfn() -> $struct_name {
734         $struct_name { $($opt: $init),* }
735     }
736
737     pub fn $buildfn(matches: &getopts::Matches, error_format: ErrorOutputType) -> $struct_name
738     {
739         let mut op = $defaultfn();
740         for option in matches.opt_strs($prefix) {
741             let mut iter = option.splitn(2, '=');
742             let key = iter.next().unwrap();
743             let value = iter.next();
744             let option_to_lookup = key.replace("-", "_");
745             let mut found = false;
746             for &(candidate, setter, opt_type_desc, _) in $stat {
747                 if option_to_lookup != candidate { continue }
748                 if !setter(&mut op, value) {
749                     match (value, opt_type_desc) {
750                         (Some(..), None) => {
751                             early_error(error_format, &format!("{} option `{}` takes no \
752                                                                 value", $outputname, key))
753                         }
754                         (None, Some(type_desc)) => {
755                             early_error(error_format, &format!("{0} option `{1}` requires \
756                                                                 {2} ({3} {1}=<value>)",
757                                                                $outputname, key,
758                                                                type_desc, $prefix))
759                         }
760                         (Some(value), Some(type_desc)) => {
761                             early_error(error_format, &format!("incorrect value `{}` for {} \
762                                                                 option `{}` - {} was expected",
763                                                                value, $outputname,
764                                                                key, type_desc))
765                         }
766                         (None, None) => bug!()
767                     }
768                 }
769                 found = true;
770                 break;
771             }
772             if !found {
773                 early_error(error_format, &format!("unknown {} option: `{}`",
774                                                    $outputname, key));
775             }
776         }
777         return op;
778     }
779
780     impl<'a> dep_tracking::DepTrackingHash for $struct_name {
781         fn hash(&self, hasher: &mut DefaultHasher, error_format: ErrorOutputType) {
782             let mut sub_hashes = BTreeMap::new();
783             $({
784                 hash_option!($opt,
785                              &self.$opt,
786                              &mut sub_hashes,
787                              [$dep_tracking_marker $($dep_warn_val,
788                                                      $dep_warn_text,
789                                                      error_format)*]);
790             })*
791             dep_tracking::stable_hash(sub_hashes, hasher, error_format);
792         }
793     }
794
795     pub type $setter_name = fn(&mut $struct_name, v: Option<&str>) -> bool;
796     pub const $stat: &[(&str, $setter_name, Option<&str>, &str)] =
797         &[ $( (stringify!($opt), $mod_set::$opt, $mod_desc::$parse, $desc) ),* ];
798
799     #[allow(non_upper_case_globals, dead_code)]
800     mod $mod_desc {
801         pub const parse_bool: Option<&str> = None;
802         pub const parse_opt_bool: Option<&str> =
803             Some("one of: `y`, `yes`, `on`, `n`, `no`, or `off`");
804         pub const parse_string: Option<&str> = Some("a string");
805         pub const parse_string_push: Option<&str> = Some("a string");
806         pub const parse_pathbuf_push: Option<&str> = Some("a path");
807         pub const parse_opt_string: Option<&str> = Some("a string");
808         pub const parse_opt_pathbuf: Option<&str> = Some("a path");
809         pub const parse_list: Option<&str> = Some("a space-separated list of strings");
810         pub const parse_opt_list: Option<&str> = Some("a space-separated list of strings");
811         pub const parse_opt_comma_list: Option<&str> = Some("a comma-separated list of strings");
812         pub const parse_uint: Option<&str> = Some("a number");
813         pub const parse_passes: Option<&str> =
814             Some("a space-separated list of passes, or `all`");
815         pub const parse_opt_uint: Option<&str> =
816             Some("a number");
817         pub const parse_panic_strategy: Option<&str> =
818             Some("either `unwind` or `abort`");
819         pub const parse_relro_level: Option<&str> =
820             Some("one of: `full`, `partial`, or `off`");
821         pub const parse_sanitizer: Option<&str> =
822             Some("one of: `address`, `leak`, `memory` or `thread`");
823         pub const parse_linker_flavor: Option<&str> =
824             Some(::rustc_target::spec::LinkerFlavor::one_of());
825         pub const parse_optimization_fuel: Option<&str> =
826             Some("crate=integer");
827         pub const parse_unpretty: Option<&str> =
828             Some("`string` or `string=string`");
829         pub const parse_treat_err_as_bug: Option<&str> =
830             Some("either no value or a number bigger than 0");
831         pub const parse_lto: Option<&str> =
832             Some("either a boolean (`yes`, `no`, `on`, `off`, etc), `thin`, \
833                   `fat`, or omitted");
834         pub const parse_linker_plugin_lto: Option<&str> =
835             Some("either a boolean (`yes`, `no`, `on`, `off`, etc), \
836                   or the path to the linker plugin");
837         pub const parse_switch_with_opt_path: Option<&str> =
838             Some("an optional path to the profiling data output directory");
839         pub const parse_merge_functions: Option<&str> =
840             Some("one of: `disabled`, `trampolines`, or `aliases`");
841     }
842
843     #[allow(dead_code)]
844     mod $mod_set {
845         use super::{$struct_name, Passes, Sanitizer, LtoCli, LinkerPluginLto, SwitchWithOptPath};
846         use rustc_target::spec::{LinkerFlavor, MergeFunctions, PanicStrategy, RelroLevel};
847         use std::path::PathBuf;
848         use std::str::FromStr;
849
850         $(
851             pub fn $opt(cg: &mut $struct_name, v: Option<&str>) -> bool {
852                 $parse(&mut cg.$opt, v)
853             }
854         )*
855
856         fn parse_bool(slot: &mut bool, v: Option<&str>) -> bool {
857             match v {
858                 Some(..) => false,
859                 None => { *slot = true; true }
860             }
861         }
862
863         fn parse_opt_bool(slot: &mut Option<bool>, v: Option<&str>) -> bool {
864             match v {
865                 Some(s) => {
866                     match s {
867                         "n" | "no" | "off" => {
868                             *slot = Some(false);
869                         }
870                         "y" | "yes" | "on" => {
871                             *slot = Some(true);
872                         }
873                         _ => { return false; }
874                     }
875
876                     true
877                 },
878                 None => { *slot = Some(true); true }
879             }
880         }
881
882         fn parse_opt_string(slot: &mut Option<String>, v: Option<&str>) -> bool {
883             match v {
884                 Some(s) => { *slot = Some(s.to_string()); true },
885                 None => false,
886             }
887         }
888
889         fn parse_opt_pathbuf(slot: &mut Option<PathBuf>, v: Option<&str>) -> bool {
890             match v {
891                 Some(s) => { *slot = Some(PathBuf::from(s)); true },
892                 None => false,
893             }
894         }
895
896         fn parse_string(slot: &mut String, v: Option<&str>) -> bool {
897             match v {
898                 Some(s) => { *slot = s.to_string(); true },
899                 None => false,
900             }
901         }
902
903         fn parse_string_push(slot: &mut Vec<String>, v: Option<&str>) -> bool {
904             match v {
905                 Some(s) => { slot.push(s.to_string()); true },
906                 None => false,
907             }
908         }
909
910         fn parse_pathbuf_push(slot: &mut Vec<PathBuf>, v: Option<&str>) -> bool {
911             match v {
912                 Some(s) => { slot.push(PathBuf::from(s)); true },
913                 None => false,
914             }
915         }
916
917         fn parse_list(slot: &mut Vec<String>, v: Option<&str>)
918                       -> bool {
919             match v {
920                 Some(s) => {
921                     slot.extend(s.split_whitespace().map(|s| s.to_string()));
922                     true
923                 },
924                 None => false,
925             }
926         }
927
928         fn parse_opt_list(slot: &mut Option<Vec<String>>, v: Option<&str>)
929                       -> bool {
930             match v {
931                 Some(s) => {
932                     let v = s.split_whitespace().map(|s| s.to_string()).collect();
933                     *slot = Some(v);
934                     true
935                 },
936                 None => false,
937             }
938         }
939
940         fn parse_opt_comma_list(slot: &mut Option<Vec<String>>, v: Option<&str>)
941                       -> bool {
942             match v {
943                 Some(s) => {
944                     let v = s.split(',').map(|s| s.to_string()).collect();
945                     *slot = Some(v);
946                     true
947                 },
948                 None => false,
949             }
950         }
951
952         fn parse_uint(slot: &mut usize, v: Option<&str>) -> bool {
953             match v.and_then(|s| s.parse().ok()) {
954                 Some(i) => { *slot = i; true },
955                 None => false
956             }
957         }
958
959         fn parse_opt_uint(slot: &mut Option<usize>, v: Option<&str>) -> bool {
960             match v {
961                 Some(s) => { *slot = s.parse().ok(); slot.is_some() }
962                 None => { *slot = None; false }
963             }
964         }
965
966         fn parse_passes(slot: &mut Passes, v: Option<&str>) -> bool {
967             match v {
968                 Some("all") => {
969                     *slot = Passes::All;
970                     true
971                 }
972                 v => {
973                     let mut passes = vec![];
974                     if parse_list(&mut passes, v) {
975                         *slot = Passes::Some(passes);
976                         true
977                     } else {
978                         false
979                     }
980                 }
981             }
982         }
983
984         fn parse_panic_strategy(slot: &mut Option<PanicStrategy>, v: Option<&str>) -> bool {
985             match v {
986                 Some("unwind") => *slot = Some(PanicStrategy::Unwind),
987                 Some("abort") => *slot = Some(PanicStrategy::Abort),
988                 _ => return false
989             }
990             true
991         }
992
993         fn parse_relro_level(slot: &mut Option<RelroLevel>, v: Option<&str>) -> bool {
994             match v {
995                 Some(s) => {
996                     match s.parse::<RelroLevel>() {
997                         Ok(level) => *slot = Some(level),
998                         _ => return false
999                     }
1000                 },
1001                 _ => return false
1002             }
1003             true
1004         }
1005
1006         fn parse_sanitizer(slote: &mut Option<Sanitizer>, v: Option<&str>) -> bool {
1007             match v {
1008                 Some("address") => *slote = Some(Sanitizer::Address),
1009                 Some("leak") => *slote = Some(Sanitizer::Leak),
1010                 Some("memory") => *slote = Some(Sanitizer::Memory),
1011                 Some("thread") => *slote = Some(Sanitizer::Thread),
1012                 _ => return false,
1013             }
1014             true
1015         }
1016
1017         fn parse_linker_flavor(slote: &mut Option<LinkerFlavor>, v: Option<&str>) -> bool {
1018             match v.and_then(LinkerFlavor::from_str) {
1019                 Some(lf) => *slote = Some(lf),
1020                 _ => return false,
1021             }
1022             true
1023         }
1024
1025         fn parse_optimization_fuel(slot: &mut Option<(String, u64)>, v: Option<&str>) -> bool {
1026             match v {
1027                 None => false,
1028                 Some(s) => {
1029                     let parts = s.split('=').collect::<Vec<_>>();
1030                     if parts.len() != 2 { return false; }
1031                     let crate_name = parts[0].to_string();
1032                     let fuel = parts[1].parse::<u64>();
1033                     if fuel.is_err() { return false; }
1034                     *slot = Some((crate_name, fuel.unwrap()));
1035                     true
1036                 }
1037             }
1038         }
1039
1040         fn parse_unpretty(slot: &mut Option<String>, v: Option<&str>) -> bool {
1041             match v {
1042                 None => false,
1043                 Some(s) if s.split('=').count() <= 2 => {
1044                     *slot = Some(s.to_string());
1045                     true
1046                 }
1047                 _ => false,
1048             }
1049         }
1050
1051         fn parse_treat_err_as_bug(slot: &mut Option<usize>, v: Option<&str>) -> bool {
1052             match v {
1053                 Some(s) => { *slot = s.parse().ok().filter(|&x| x != 0); slot.unwrap_or(0) != 0 }
1054                 None => { *slot = Some(1); true }
1055             }
1056         }
1057
1058         fn parse_lto(slot: &mut LtoCli, v: Option<&str>) -> bool {
1059             if v.is_some() {
1060                 let mut bool_arg = None;
1061                 if parse_opt_bool(&mut bool_arg, v) {
1062                     *slot = if bool_arg.unwrap() {
1063                         LtoCli::Yes
1064                     } else {
1065                         LtoCli::No
1066                     };
1067                     return true
1068                 }
1069             }
1070
1071             *slot = match v {
1072                 None => LtoCli::NoParam,
1073                 Some("thin") => LtoCli::Thin,
1074                 Some("fat") => LtoCli::Fat,
1075                 Some(_) => return false,
1076             };
1077             true
1078         }
1079
1080         fn parse_linker_plugin_lto(slot: &mut LinkerPluginLto, v: Option<&str>) -> bool {
1081             if v.is_some() {
1082                 let mut bool_arg = None;
1083                 if parse_opt_bool(&mut bool_arg, v) {
1084                     *slot = if bool_arg.unwrap() {
1085                         LinkerPluginLto::LinkerPluginAuto
1086                     } else {
1087                         LinkerPluginLto::Disabled
1088                     };
1089                     return true
1090                 }
1091             }
1092
1093             *slot = match v {
1094                 None => LinkerPluginLto::LinkerPluginAuto,
1095                 Some(path) => LinkerPluginLto::LinkerPlugin(PathBuf::from(path)),
1096             };
1097             true
1098         }
1099
1100         fn parse_switch_with_opt_path(slot: &mut SwitchWithOptPath, v: Option<&str>) -> bool {
1101             *slot = match v {
1102                 None => SwitchWithOptPath::Enabled(None),
1103                 Some(path) => SwitchWithOptPath::Enabled(Some(PathBuf::from(path))),
1104             };
1105             true
1106         }
1107
1108         fn parse_merge_functions(slot: &mut Option<MergeFunctions>, v: Option<&str>) -> bool {
1109             match v.and_then(|s| MergeFunctions::from_str(s).ok()) {
1110                 Some(mergefunc) => *slot = Some(mergefunc),
1111                 _ => return false,
1112             }
1113             true
1114         }
1115     }
1116 ) }
1117
1118 options! {CodegenOptions, CodegenSetter, basic_codegen_options,
1119           build_codegen_options, "C", "codegen",
1120           CG_OPTIONS, cg_type_desc, cgsetters,
1121     ar: Option<String> = (None, parse_opt_string, [UNTRACKED],
1122         "this option is deprecated and does nothing"),
1123     linker: Option<PathBuf> = (None, parse_opt_pathbuf, [UNTRACKED],
1124         "system linker to link outputs with"),
1125     link_arg: Vec<String> = (vec![], parse_string_push, [UNTRACKED],
1126         "a single extra argument to append to the linker invocation (can be used several times)"),
1127     link_args: Option<Vec<String>> = (None, parse_opt_list, [UNTRACKED],
1128         "extra arguments to append to the linker invocation (space separated)"),
1129     link_dead_code: bool = (false, parse_bool, [UNTRACKED],
1130         "don't let linker strip dead code (turning it on can be used for code coverage)"),
1131     lto: LtoCli = (LtoCli::Unspecified, parse_lto, [TRACKED],
1132         "perform LLVM link-time optimizations"),
1133     target_cpu: Option<String> = (None, parse_opt_string, [TRACKED],
1134         "select target processor (rustc --print target-cpus for details)"),
1135     target_feature: String = (String::new(), parse_string, [TRACKED],
1136         "target specific attributes (rustc --print target-features for details)"),
1137     passes: Vec<String> = (Vec::new(), parse_list, [TRACKED],
1138         "a list of extra LLVM passes to run (space separated)"),
1139     llvm_args: Vec<String> = (Vec::new(), parse_list, [TRACKED],
1140         "a list of arguments to pass to llvm (space separated)"),
1141     save_temps: bool = (false, parse_bool, [UNTRACKED_WITH_WARNING(true,
1142         "`-C save-temps` might not produce all requested temporary products \
1143          when incremental compilation is enabled.")],
1144         "save all temporary output files during compilation"),
1145     rpath: bool = (false, parse_bool, [UNTRACKED],
1146         "set rpath values in libs/exes"),
1147     overflow_checks: Option<bool> = (None, parse_opt_bool, [TRACKED],
1148         "use overflow checks for integer arithmetic"),
1149     no_prepopulate_passes: bool = (false, parse_bool, [TRACKED],
1150         "don't pre-populate the pass manager with a list of passes"),
1151     no_vectorize_loops: bool = (false, parse_bool, [TRACKED],
1152         "don't run the loop vectorization optimization passes"),
1153     no_vectorize_slp: bool = (false, parse_bool, [TRACKED],
1154         "don't run LLVM's SLP vectorization pass"),
1155     soft_float: bool = (false, parse_bool, [TRACKED],
1156         "use soft float ABI (*eabihf targets only)"),
1157     prefer_dynamic: bool = (false, parse_bool, [TRACKED],
1158         "prefer dynamic linking to static linking"),
1159     no_integrated_as: bool = (false, parse_bool, [TRACKED],
1160         "use an external assembler rather than LLVM's integrated one"),
1161     no_redzone: Option<bool> = (None, parse_opt_bool, [TRACKED],
1162         "disable the use of the redzone"),
1163     relocation_model: Option<String> = (None, parse_opt_string, [TRACKED],
1164         "choose the relocation model to use (rustc --print relocation-models for details)"),
1165     code_model: Option<String> = (None, parse_opt_string, [TRACKED],
1166         "choose the code model to use (rustc --print code-models for details)"),
1167     metadata: Vec<String> = (Vec::new(), parse_list, [TRACKED],
1168         "metadata to mangle symbol names with"),
1169     extra_filename: String = (String::new(), parse_string, [UNTRACKED],
1170         "extra data to put in each output filename"),
1171     codegen_units: Option<usize> = (None, parse_opt_uint, [UNTRACKED],
1172         "divide crate into N units to optimize in parallel"),
1173     remark: Passes = (Passes::Some(Vec::new()), parse_passes, [UNTRACKED],
1174         "print remarks for these optimization passes (space separated, or \"all\")"),
1175     no_stack_check: bool = (false, parse_bool, [UNTRACKED],
1176         "the --no-stack-check flag is deprecated and does nothing"),
1177     debuginfo: Option<usize> = (None, parse_opt_uint, [TRACKED],
1178         "debug info emission level, 0 = no debug info, 1 = line tables only, \
1179          2 = full debug info with variable and type information"),
1180     opt_level: Option<String> = (None, parse_opt_string, [TRACKED],
1181         "optimize with possible levels 0-3, s, or z"),
1182     force_frame_pointers: Option<bool> = (None, parse_opt_bool, [TRACKED],
1183         "force use of the frame pointers"),
1184     debug_assertions: Option<bool> = (None, parse_opt_bool, [TRACKED],
1185         "explicitly enable the cfg(debug_assertions) directive"),
1186     inline_threshold: Option<usize> = (None, parse_opt_uint, [TRACKED],
1187         "set the threshold for inlining a function (default: 225)"),
1188     panic: Option<PanicStrategy> = (None, parse_panic_strategy,
1189         [TRACKED], "panic strategy to compile crate with"),
1190     incremental: Option<String> = (None, parse_opt_string, [UNTRACKED],
1191         "enable incremental compilation"),
1192     default_linker_libraries: Option<bool> = (None, parse_opt_bool, [UNTRACKED],
1193         "allow the linker to link its default libraries"),
1194     linker_flavor: Option<LinkerFlavor> = (None, parse_linker_flavor, [UNTRACKED],
1195                                            "Linker flavor"),
1196     linker_plugin_lto: LinkerPluginLto = (LinkerPluginLto::Disabled,
1197         parse_linker_plugin_lto, [TRACKED],
1198         "generate build artifacts that are compatible with linker-based LTO."),
1199
1200 }
1201
1202 options! {DebuggingOptions, DebuggingSetter, basic_debugging_options,
1203           build_debugging_options, "Z", "debugging",
1204           DB_OPTIONS, db_type_desc, dbsetters,
1205     codegen_backend: Option<String> = (None, parse_opt_string, [TRACKED],
1206         "the backend to use"),
1207     verbose: bool = (false, parse_bool, [UNTRACKED],
1208         "in general, enable more debug printouts"),
1209     span_free_formats: bool = (false, parse_bool, [UNTRACKED],
1210         "when debug-printing compiler state, do not include spans"), // o/w tests have closure@path
1211     identify_regions: bool = (false, parse_bool, [UNTRACKED],
1212         "make unnamed regions display as '# (where # is some non-ident unique id)"),
1213     borrowck: Option<String> = (None, parse_opt_string, [UNTRACKED],
1214         "select which borrowck is used (`mir` or `migrate`)"),
1215     time_passes: bool = (false, parse_bool, [UNTRACKED],
1216         "measure time of each rustc pass"),
1217     time: bool = (false, parse_bool, [UNTRACKED],
1218         "measure time of rustc processes"),
1219     count_llvm_insns: bool = (false, parse_bool,
1220         [UNTRACKED_WITH_WARNING(true,
1221         "The output generated by `-Z count_llvm_insns` might not be reliable \
1222          when used with incremental compilation")],
1223         "count where LLVM instrs originate"),
1224     time_llvm_passes: bool = (false, parse_bool, [UNTRACKED_WITH_WARNING(true,
1225         "The output of `-Z time-llvm-passes` will only reflect timings of \
1226          re-codegened modules when used with incremental compilation" )],
1227         "measure time of each LLVM pass"),
1228     input_stats: bool = (false, parse_bool, [UNTRACKED],
1229         "gather statistics about the input"),
1230     codegen_stats: bool = (false, parse_bool, [UNTRACKED_WITH_WARNING(true,
1231         "The output of `-Z codegen-stats` might not be accurate when incremental \
1232          compilation is enabled")],
1233         "gather codegen statistics"),
1234     asm_comments: bool = (false, parse_bool, [TRACKED],
1235         "generate comments into the assembly (may change behavior)"),
1236     verify_llvm_ir: bool = (false, parse_bool, [TRACKED],
1237         "verify LLVM IR"),
1238     borrowck_stats: bool = (false, parse_bool, [UNTRACKED],
1239         "gather borrowck statistics"),
1240     no_landing_pads: bool = (false, parse_bool, [TRACKED],
1241         "omit landing pads for unwinding"),
1242     fewer_names: bool = (false, parse_bool, [TRACKED],
1243         "reduce memory use by retaining fewer names within compilation artifacts (LLVM-IR)"),
1244     meta_stats: bool = (false, parse_bool, [UNTRACKED],
1245         "gather metadata statistics"),
1246     print_link_args: bool = (false, parse_bool, [UNTRACKED],
1247         "print the arguments passed to the linker"),
1248     print_llvm_passes: bool = (false, parse_bool, [UNTRACKED],
1249         "prints the llvm optimization passes being run"),
1250     ast_json: bool = (false, parse_bool, [UNTRACKED],
1251         "print the AST as JSON and halt"),
1252     threads: Option<usize> = (None, parse_opt_uint, [UNTRACKED],
1253         "use a thread pool with N threads"),
1254     ast_json_noexpand: bool = (false, parse_bool, [UNTRACKED],
1255         "print the pre-expansion AST as JSON and halt"),
1256     ls: bool = (false, parse_bool, [UNTRACKED],
1257         "list the symbols defined by a library crate"),
1258     save_analysis: bool = (false, parse_bool, [UNTRACKED],
1259         "write syntax and type analysis (in JSON format) information, in \
1260          addition to normal output"),
1261     flowgraph_print_loans: bool = (false, parse_bool, [UNTRACKED],
1262         "include loan analysis data in -Z unpretty flowgraph output"),
1263     flowgraph_print_moves: bool = (false, parse_bool, [UNTRACKED],
1264         "include move analysis data in -Z unpretty flowgraph output"),
1265     flowgraph_print_assigns: bool = (false, parse_bool, [UNTRACKED],
1266         "include assignment analysis data in -Z unpretty flowgraph output"),
1267     flowgraph_print_all: bool = (false, parse_bool, [UNTRACKED],
1268         "include all dataflow analysis data in -Z unpretty flowgraph output"),
1269     print_region_graph: bool = (false, parse_bool, [UNTRACKED],
1270         "prints region inference graph. \
1271          Use with RUST_REGION_GRAPH=help for more info"),
1272     parse_only: bool = (false, parse_bool, [UNTRACKED],
1273         "parse only; do not compile, assemble, or link"),
1274     dual_proc_macros: bool = (false, parse_bool, [TRACKED],
1275         "load proc macros for both target and host, but only link to the target"),
1276     no_codegen: bool = (false, parse_bool, [TRACKED],
1277         "run all passes except codegen; no output"),
1278     treat_err_as_bug: Option<usize> = (None, parse_treat_err_as_bug, [TRACKED],
1279         "treat error number `val` that occurs as bug"),
1280     report_delayed_bugs: bool = (false, parse_bool, [TRACKED],
1281         "immediately print bugs registered with `delay_span_bug`"),
1282     external_macro_backtrace: bool = (false, parse_bool, [UNTRACKED],
1283         "show macro backtraces even for non-local macros"),
1284     teach: bool = (false, parse_bool, [TRACKED],
1285         "show extended diagnostic help"),
1286     continue_parse_after_error: bool = (false, parse_bool, [TRACKED],
1287         "attempt to recover from parse errors (experimental)"),
1288     dep_tasks: bool = (false, parse_bool, [UNTRACKED],
1289         "print tasks that execute and the color their dep node gets (requires debug build)"),
1290     incremental: Option<String> = (None, parse_opt_string, [UNTRACKED],
1291         "enable incremental compilation (experimental)"),
1292     incremental_queries: bool = (true, parse_bool, [UNTRACKED],
1293         "enable incremental compilation support for queries (experimental)"),
1294     incremental_info: bool = (false, parse_bool, [UNTRACKED],
1295         "print high-level information about incremental reuse (or the lack thereof)"),
1296     incremental_dump_hash: bool = (false, parse_bool, [UNTRACKED],
1297         "dump hash information in textual format to stdout"),
1298     incremental_verify_ich: bool = (false, parse_bool, [UNTRACKED],
1299         "verify incr. comp. hashes of green query instances"),
1300     incremental_ignore_spans: bool = (false, parse_bool, [UNTRACKED],
1301         "ignore spans during ICH computation -- used for testing"),
1302     instrument_mcount: bool = (false, parse_bool, [TRACKED],
1303         "insert function instrument code for mcount-based tracing"),
1304     dump_dep_graph: bool = (false, parse_bool, [UNTRACKED],
1305         "dump the dependency graph to $RUST_DEP_GRAPH (default: /tmp/dep_graph.gv)"),
1306     query_dep_graph: bool = (false, parse_bool, [UNTRACKED],
1307         "enable queries of the dependency graph for regression testing"),
1308     profile_queries: bool = (false, parse_bool, [UNTRACKED],
1309         "trace and profile the queries of the incremental compilation framework"),
1310     profile_queries_and_keys: bool = (false, parse_bool, [UNTRACKED],
1311         "trace and profile the queries and keys of the incremental compilation framework"),
1312     no_analysis: bool = (false, parse_bool, [UNTRACKED],
1313         "parse and expand the source, but run no analysis"),
1314     extra_plugins: Vec<String> = (Vec::new(), parse_list, [TRACKED],
1315         "load extra plugins"),
1316     unstable_options: bool = (false, parse_bool, [UNTRACKED],
1317         "adds unstable command line options to rustc interface"),
1318     force_overflow_checks: Option<bool> = (None, parse_opt_bool, [TRACKED],
1319         "force overflow checks on or off"),
1320     trace_macros: bool = (false, parse_bool, [UNTRACKED],
1321         "for every macro invocation, print its name and arguments"),
1322     debug_macros: bool = (false, parse_bool, [TRACKED],
1323         "emit line numbers debug info inside macros"),
1324     keep_hygiene_data: bool = (false, parse_bool, [UNTRACKED],
1325         "don't clear the hygiene data after analysis"),
1326     keep_ast: bool = (false, parse_bool, [UNTRACKED],
1327         "keep the AST after lowering it to HIR"),
1328     show_span: Option<String> = (None, parse_opt_string, [TRACKED],
1329         "show spans for compiler debugging (expr|pat|ty)"),
1330     print_type_sizes: bool = (false, parse_bool, [UNTRACKED],
1331         "print layout information for each type encountered"),
1332     print_mono_items: Option<String> = (None, parse_opt_string, [UNTRACKED],
1333         "print the result of the monomorphization collection pass"),
1334     mir_opt_level: usize = (1, parse_uint, [TRACKED],
1335         "set the MIR optimization level (0-3, default: 1)"),
1336     mutable_noalias: Option<bool> = (None, parse_opt_bool, [TRACKED],
1337         "emit noalias metadata for mutable references (default: yes on LLVM >= 6)"),
1338     dump_mir: Option<String> = (None, parse_opt_string, [UNTRACKED],
1339         "dump MIR state to file.
1340         `val` is used to select which passes and functions to dump. For example:
1341         `all` matches all passes and functions,
1342         `foo` matches all passes for functions whose name contains 'foo',
1343         `foo & ConstProp` only the 'ConstProp' pass for function names containing 'foo',
1344         `foo | bar` all passes for function names containing 'foo' or 'bar'."),
1345
1346     dump_mir_dir: String = (String::from("mir_dump"), parse_string, [UNTRACKED],
1347         "the directory the MIR is dumped into"),
1348     dump_mir_graphviz: bool = (false, parse_bool, [UNTRACKED],
1349         "in addition to `.mir` files, create graphviz `.dot` files"),
1350     dump_mir_exclude_pass_number: bool = (false, parse_bool, [UNTRACKED],
1351         "if set, exclude the pass number when dumping MIR (used in tests)"),
1352     mir_emit_retag: bool = (false, parse_bool, [TRACKED],
1353         "emit Retagging MIR statements, interpreted e.g., by miri; implies -Zmir-opt-level=0"),
1354     perf_stats: bool = (false, parse_bool, [UNTRACKED],
1355         "print some performance-related statistics"),
1356     query_stats: bool = (false, parse_bool, [UNTRACKED],
1357         "print some statistics about the query system"),
1358     hir_stats: bool = (false, parse_bool, [UNTRACKED],
1359         "print some statistics about AST and HIR"),
1360     always_encode_mir: bool = (false, parse_bool, [TRACKED],
1361         "encode MIR of all functions into the crate metadata"),
1362     json_rendered: Option<String> = (None, parse_opt_string, [UNTRACKED],
1363         "describes how to render the `rendered` field of json diagnostics"),
1364     unleash_the_miri_inside_of_you: bool = (false, parse_bool, [TRACKED],
1365         "take the breaks off const evaluation. NOTE: this is unsound"),
1366     osx_rpath_install_name: bool = (false, parse_bool, [TRACKED],
1367         "pass `-install_name @rpath/...` to the macOS linker"),
1368     sanitizer: Option<Sanitizer> = (None, parse_sanitizer, [TRACKED],
1369                                     "Use a sanitizer"),
1370     fuel: Option<(String, u64)> = (None, parse_optimization_fuel, [TRACKED],
1371         "set the optimization fuel quota for a crate"),
1372     print_fuel: Option<String> = (None, parse_opt_string, [TRACKED],
1373         "make Rustc print the total optimization fuel used by a crate"),
1374     force_unstable_if_unmarked: bool = (false, parse_bool, [TRACKED],
1375         "force all crates to be `rustc_private` unstable"),
1376     pre_link_arg: Vec<String> = (vec![], parse_string_push, [UNTRACKED],
1377         "a single extra argument to prepend the linker invocation (can be used several times)"),
1378     pre_link_args: Option<Vec<String>> = (None, parse_opt_list, [UNTRACKED],
1379         "extra arguments to prepend to the linker invocation (space separated)"),
1380     profile: bool = (false, parse_bool, [TRACKED],
1381                      "insert profiling code"),
1382     pgo_gen: SwitchWithOptPath = (SwitchWithOptPath::Disabled,
1383         parse_switch_with_opt_path, [TRACKED],
1384         "Generate PGO profile data, to a given file, or to the default location if it's empty."),
1385     pgo_use: Option<PathBuf> = (None, parse_opt_pathbuf, [TRACKED],
1386         "Use PGO profile data from the given profile file."),
1387     disable_instrumentation_preinliner: bool = (false, parse_bool, [TRACKED],
1388         "Disable the instrumentation pre-inliner, useful for profiling / PGO."),
1389     relro_level: Option<RelroLevel> = (None, parse_relro_level, [TRACKED],
1390         "choose which RELRO level to use"),
1391     nll_facts: bool = (false, parse_bool, [UNTRACKED],
1392                        "dump facts from NLL analysis into side files"),
1393     nll_dont_emit_read_for_match: bool = (false, parse_bool, [UNTRACKED],
1394         "in match codegen, do not include FakeRead statements (used by mir-borrowck)"),
1395     dont_buffer_diagnostics: bool = (false, parse_bool, [UNTRACKED],
1396         "emit diagnostics rather than buffering (breaks NLL error downgrading, sorting)."),
1397     polonius: bool = (false, parse_bool, [UNTRACKED],
1398         "enable polonius-based borrow-checker"),
1399     codegen_time_graph: bool = (false, parse_bool, [UNTRACKED],
1400         "generate a graphical HTML report of time spent in codegen and LLVM"),
1401     thinlto: Option<bool> = (None, parse_opt_bool, [TRACKED],
1402         "enable ThinLTO when possible"),
1403     inline_in_all_cgus: Option<bool> = (None, parse_opt_bool, [TRACKED],
1404         "control whether #[inline] functions are in all cgus"),
1405     tls_model: Option<String> = (None, parse_opt_string, [TRACKED],
1406         "choose the TLS model to use (rustc --print tls-models for details)"),
1407     saturating_float_casts: bool = (false, parse_bool, [TRACKED],
1408         "make float->int casts UB-free: numbers outside the integer type's range are clipped to \
1409          the max/min integer respectively, and NaN is mapped to 0"),
1410     lower_128bit_ops: Option<bool> = (None, parse_opt_bool, [TRACKED],
1411         "rewrite operators on i128 and u128 into lang item calls (typically provided \
1412          by compiler-builtins) so codegen doesn't need to support them,
1413          overriding the default for the current target"),
1414     human_readable_cgu_names: bool = (false, parse_bool, [TRACKED],
1415         "generate human-readable, predictable names for codegen units"),
1416     dep_info_omit_d_target: bool = (false, parse_bool, [TRACKED],
1417         "in dep-info output, omit targets for tracking dependencies of the dep-info files \
1418          themselves"),
1419     unpretty: Option<String> = (None, parse_unpretty, [UNTRACKED],
1420         "Present the input source, unstable (and less-pretty) variants;
1421         valid types are any of the types for `--pretty`, as well as:
1422         `expanded`, `expanded,identified`,
1423         `expanded,hygiene` (with internal representations),
1424         `flowgraph=<nodeid>` (graphviz formatted flowgraph for node),
1425         `flowgraph,unlabelled=<nodeid>` (unlabelled graphviz formatted flowgraph for node),
1426         `everybody_loops` (all function bodies replaced with `loop {}`),
1427         `hir` (the HIR), `hir,identified`,
1428         `hir,typed` (HIR with types for each node),
1429         `hir-tree` (dump the raw HIR),
1430         `mir` (the MIR), or `mir-cfg` (graphviz formatted MIR)"),
1431     run_dsymutil: Option<bool> = (None, parse_opt_bool, [TRACKED],
1432         "run `dsymutil` and delete intermediate object files"),
1433     ui_testing: bool = (false, parse_bool, [UNTRACKED],
1434         "format compiler diagnostics in a way that's better suitable for UI testing"),
1435     embed_bitcode: bool = (false, parse_bool, [TRACKED],
1436         "embed LLVM bitcode in object files"),
1437     strip_debuginfo_if_disabled: Option<bool> = (None, parse_opt_bool, [TRACKED],
1438         "tell the linker to strip debuginfo when building without debuginfo enabled."),
1439     share_generics: Option<bool> = (None, parse_opt_bool, [TRACKED],
1440         "make the current crate share its generic instantiations"),
1441     chalk: bool = (false, parse_bool, [TRACKED],
1442         "enable the experimental Chalk-based trait solving engine"),
1443     no_parallel_llvm: bool = (false, parse_bool, [UNTRACKED],
1444         "don't run LLVM in parallel (while keeping codegen-units and ThinLTO)"),
1445     no_leak_check: bool = (false, parse_bool, [UNTRACKED],
1446         "disables the 'leak check' for subtyping; unsound, but useful for tests"),
1447     no_interleave_lints: bool = (false, parse_bool, [UNTRACKED],
1448         "don't interleave execution of lints; allows benchmarking individual lints"),
1449     crate_attr: Vec<String> = (Vec::new(), parse_string_push, [TRACKED],
1450         "inject the given attribute in the crate"),
1451     self_profile: SwitchWithOptPath = (SwitchWithOptPath::Disabled,
1452         parse_switch_with_opt_path, [UNTRACKED],
1453         "run the self profiler and output the raw event data"),
1454     self_profile_events: Option<Vec<String>> = (None, parse_opt_comma_list, [UNTRACKED],
1455         "specifies which kinds of events get recorded by the self profiler"),
1456     emit_stack_sizes: bool = (false, parse_bool, [UNTRACKED],
1457         "emits a section containing stack size metadata"),
1458     plt: Option<bool> = (None, parse_opt_bool, [TRACKED],
1459           "whether to use the PLT when calling into shared libraries;
1460           only has effect for PIC code on systems with ELF binaries
1461           (default: PLT is disabled if full relro is enabled)"),
1462     merge_functions: Option<MergeFunctions> = (None, parse_merge_functions, [TRACKED],
1463         "control the operation of the MergeFunctions LLVM pass, taking
1464          the same values as the target option of the same name"),
1465     allow_features: Option<Vec<String>> = (None, parse_opt_comma_list, [TRACKED],
1466         "only allow the listed language features to be enabled in code (space separated)"),
1467     emit_artifact_notifications: bool = (false, parse_bool, [UNTRACKED],
1468         "emit notifications after each artifact has been output (only in the JSON format)"),
1469 }
1470
1471 pub fn default_lib_output() -> CrateType {
1472     CrateType::Rlib
1473 }
1474
1475 pub fn default_configuration(sess: &Session) -> ast::CrateConfig {
1476     let end = &sess.target.target.target_endian;
1477     let arch = &sess.target.target.arch;
1478     let wordsz = &sess.target.target.target_pointer_width;
1479     let os = &sess.target.target.target_os;
1480     let env = &sess.target.target.target_env;
1481     let vendor = &sess.target.target.target_vendor;
1482     let min_atomic_width = sess.target.target.min_atomic_width();
1483     let max_atomic_width = sess.target.target.max_atomic_width();
1484     let atomic_cas = sess.target.target.options.atomic_cas;
1485
1486     let mut ret = FxHashSet::default();
1487     ret.reserve(6); // the minimum number of insertions
1488     // Target bindings.
1489     ret.insert((Symbol::intern("target_os"), Some(Symbol::intern(os))));
1490     if let Some(ref fam) = sess.target.target.options.target_family {
1491         ret.insert((Symbol::intern("target_family"), Some(Symbol::intern(fam))));
1492         if fam == "windows" || fam == "unix" {
1493             ret.insert((Symbol::intern(fam), None));
1494         }
1495     }
1496     ret.insert((Symbol::intern("target_arch"), Some(Symbol::intern(arch))));
1497     ret.insert((Symbol::intern("target_endian"), Some(Symbol::intern(end))));
1498     ret.insert((
1499         Symbol::intern("target_pointer_width"),
1500         Some(Symbol::intern(wordsz)),
1501     ));
1502     ret.insert((Symbol::intern("target_env"), Some(Symbol::intern(env))));
1503     ret.insert((
1504         Symbol::intern("target_vendor"),
1505         Some(Symbol::intern(vendor)),
1506     ));
1507     if sess.target.target.options.has_elf_tls {
1508         ret.insert((sym::target_thread_local, None));
1509     }
1510     for &i in &[8, 16, 32, 64, 128] {
1511         if i >= min_atomic_width && i <= max_atomic_width {
1512             let s = i.to_string();
1513             ret.insert((
1514                 sym::target_has_atomic,
1515                 Some(Symbol::intern(&s)),
1516             ));
1517             if &s == wordsz {
1518                 ret.insert((
1519                     sym::target_has_atomic,
1520                     Some(Symbol::intern("ptr")),
1521                 ));
1522             }
1523         }
1524     }
1525     if atomic_cas {
1526         ret.insert((sym::target_has_atomic, Some(Symbol::intern("cas"))));
1527     }
1528     if sess.opts.debug_assertions {
1529         ret.insert((Symbol::intern("debug_assertions"), None));
1530     }
1531     if sess.opts.crate_types.contains(&CrateType::ProcMacro) {
1532         ret.insert((sym::proc_macro, None));
1533     }
1534     ret
1535 }
1536
1537 /// Converts the crate cfg! configuration from String to Symbol.
1538 /// `rustc_interface::interface::Config` accepts this in the compiler configuration,
1539 /// but the symbol interner is not yet set up then, so we must convert it later.
1540 pub fn to_crate_config(cfg: FxHashSet<(String, Option<String>)>) -> ast::CrateConfig {
1541     cfg.into_iter()
1542        .map(|(a, b)| (Symbol::intern(&a), b.map(|b| Symbol::intern(&b))))
1543        .collect()
1544 }
1545
1546 pub fn build_configuration(sess: &Session, mut user_cfg: ast::CrateConfig) -> ast::CrateConfig {
1547     // Combine the configuration requested by the session (command line) with
1548     // some default and generated configuration items
1549     let default_cfg = default_configuration(sess);
1550     // If the user wants a test runner, then add the test cfg
1551     if sess.opts.test {
1552         user_cfg.insert((sym::test, None));
1553     }
1554     user_cfg.extend(default_cfg.iter().cloned());
1555     user_cfg
1556 }
1557
1558 pub fn build_target_config(opts: &Options, sp: &Handler) -> Config {
1559     let target = Target::search(&opts.target_triple).unwrap_or_else(|e| {
1560         sp.struct_fatal(&format!("Error loading target specification: {}", e))
1561           .help("Use `--print target-list` for a list of built-in targets")
1562           .emit();
1563         FatalError.raise();
1564     });
1565
1566     let (isize_ty, usize_ty) = match &target.target_pointer_width[..] {
1567         "16" => (ast::IntTy::I16, ast::UintTy::U16),
1568         "32" => (ast::IntTy::I32, ast::UintTy::U32),
1569         "64" => (ast::IntTy::I64, ast::UintTy::U64),
1570         w => sp.fatal(&format!(
1571             "target specification was invalid: \
1572              unrecognized target-pointer-width {}",
1573             w
1574         )).raise(),
1575     };
1576
1577     Config {
1578         target,
1579         isize_ty,
1580         usize_ty,
1581     }
1582 }
1583
1584 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
1585 pub enum OptionStability {
1586     Stable,
1587     Unstable,
1588 }
1589
1590 pub struct RustcOptGroup {
1591     pub apply: Box<dyn Fn(&mut getopts::Options) -> &mut getopts::Options>,
1592     pub name: &'static str,
1593     pub stability: OptionStability,
1594 }
1595
1596 impl RustcOptGroup {
1597     pub fn is_stable(&self) -> bool {
1598         self.stability == OptionStability::Stable
1599     }
1600
1601     pub fn stable<F>(name: &'static str, f: F) -> RustcOptGroup
1602     where
1603         F: Fn(&mut getopts::Options) -> &mut getopts::Options + 'static,
1604     {
1605         RustcOptGroup {
1606             name,
1607             apply: Box::new(f),
1608             stability: OptionStability::Stable,
1609         }
1610     }
1611
1612     pub fn unstable<F>(name: &'static str, f: F) -> RustcOptGroup
1613     where
1614         F: Fn(&mut getopts::Options) -> &mut getopts::Options + 'static,
1615     {
1616         RustcOptGroup {
1617             name,
1618             apply: Box::new(f),
1619             stability: OptionStability::Unstable,
1620         }
1621     }
1622 }
1623
1624 // The `opt` local module holds wrappers around the `getopts` API that
1625 // adds extra rustc-specific metadata to each option; such metadata
1626 // is exposed by .  The public
1627 // functions below ending with `_u` are the functions that return
1628 // *unstable* options, i.e., options that are only enabled when the
1629 // user also passes the `-Z unstable-options` debugging flag.
1630 mod opt {
1631     // The `fn opt_u` etc below are written so that we can use them
1632     // in the future; do not warn about them not being used right now.
1633     #![allow(dead_code)]
1634
1635     use getopts;
1636     use super::RustcOptGroup;
1637
1638     pub type R = RustcOptGroup;
1639     pub type S = &'static str;
1640
1641     fn stable<F>(name: S, f: F) -> R
1642     where
1643         F: Fn(&mut getopts::Options) -> &mut getopts::Options + 'static,
1644     {
1645         RustcOptGroup::stable(name, f)
1646     }
1647
1648     fn unstable<F>(name: S, f: F) -> R
1649     where
1650         F: Fn(&mut getopts::Options) -> &mut getopts::Options + 'static,
1651     {
1652         RustcOptGroup::unstable(name, f)
1653     }
1654
1655     fn longer(a: S, b: S) -> S {
1656         if a.len() > b.len() {
1657             a
1658         } else {
1659             b
1660         }
1661     }
1662
1663     pub fn opt_s(a: S, b: S, c: S, d: S) -> R {
1664         stable(longer(a, b), move |opts| opts.optopt(a, b, c, d))
1665     }
1666     pub fn multi_s(a: S, b: S, c: S, d: S) -> R {
1667         stable(longer(a, b), move |opts| opts.optmulti(a, b, c, d))
1668     }
1669     pub fn flag_s(a: S, b: S, c: S) -> R {
1670         stable(longer(a, b), move |opts| opts.optflag(a, b, c))
1671     }
1672     pub fn flagopt_s(a: S, b: S, c: S, d: S) -> R {
1673         stable(longer(a, b), move |opts| opts.optflagopt(a, b, c, d))
1674     }
1675     pub fn flagmulti_s(a: S, b: S, c: S) -> R {
1676         stable(longer(a, b), move |opts| opts.optflagmulti(a, b, c))
1677     }
1678
1679     pub fn opt(a: S, b: S, c: S, d: S) -> R {
1680         unstable(longer(a, b), move |opts| opts.optopt(a, b, c, d))
1681     }
1682     pub fn multi(a: S, b: S, c: S, d: S) -> R {
1683         unstable(longer(a, b), move |opts| opts.optmulti(a, b, c, d))
1684     }
1685     pub fn flag(a: S, b: S, c: S) -> R {
1686         unstable(longer(a, b), move |opts| opts.optflag(a, b, c))
1687     }
1688     pub fn flagopt(a: S, b: S, c: S, d: S) -> R {
1689         unstable(longer(a, b), move |opts| opts.optflagopt(a, b, c, d))
1690     }
1691     pub fn flagmulti(a: S, b: S, c: S) -> R {
1692         unstable(longer(a, b), move |opts| opts.optflagmulti(a, b, c))
1693     }
1694 }
1695
1696 /// Returns the "short" subset of the rustc command line options,
1697 /// including metadata for each option, such as whether the option is
1698 /// part of the stable long-term interface for rustc.
1699 pub fn rustc_short_optgroups() -> Vec<RustcOptGroup> {
1700     vec![
1701         opt::flag_s("h", "help", "Display this message"),
1702         opt::multi_s("", "cfg", "Configure the compilation environment", "SPEC"),
1703         opt::multi_s(
1704             "L",
1705             "",
1706             "Add a directory to the library search path. The
1707                              optional KIND can be one of dependency, crate, native,
1708                              framework or all (the default).",
1709             "[KIND=]PATH",
1710         ),
1711         opt::multi_s(
1712             "l",
1713             "",
1714             "Link the generated crate(s) to the specified native
1715                              library NAME. The optional KIND can be one of
1716                              static, dylib, or framework. If omitted, dylib is
1717                              assumed.",
1718             "[KIND=]NAME",
1719         ),
1720         opt::multi_s(
1721             "",
1722             "crate-type",
1723             "Comma separated list of types of crates
1724                                     for the compiler to emit",
1725             "[bin|lib|rlib|dylib|cdylib|staticlib|proc-macro]",
1726         ),
1727         opt::opt_s(
1728             "",
1729             "crate-name",
1730             "Specify the name of the crate being built",
1731             "NAME",
1732         ),
1733         opt::opt_s(
1734             "",
1735             "edition",
1736             "Specify which edition of the compiler to use when compiling code.",
1737             EDITION_NAME_LIST,
1738         ),
1739         opt::multi_s(
1740             "",
1741             "emit",
1742             "Comma separated list of types of output for \
1743              the compiler to emit",
1744             "[asm|llvm-bc|llvm-ir|obj|metadata|link|dep-info|mir]",
1745         ),
1746         opt::multi_s(
1747             "",
1748             "print",
1749             "Compiler information to print on stdout",
1750             "[crate-name|file-names|sysroot|cfg|target-list|\
1751              target-cpus|target-features|relocation-models|\
1752              code-models|tls-models|target-spec-json|native-static-libs]",
1753         ),
1754         opt::flagmulti_s("g", "", "Equivalent to -C debuginfo=2"),
1755         opt::flagmulti_s("O", "", "Equivalent to -C opt-level=2"),
1756         opt::opt_s("o", "", "Write output to <filename>", "FILENAME"),
1757         opt::opt_s(
1758             "",
1759             "out-dir",
1760             "Write output to compiler-chosen filename \
1761              in <dir>",
1762             "DIR",
1763         ),
1764         opt::opt_s(
1765             "",
1766             "explain",
1767             "Provide a detailed explanation of an error \
1768              message",
1769             "OPT",
1770         ),
1771         opt::flag_s("", "test", "Build a test harness"),
1772         opt::opt_s(
1773             "",
1774             "target",
1775             "Target triple for which the code is compiled",
1776             "TARGET",
1777         ),
1778         opt::multi_s("W", "warn", "Set lint warnings", "OPT"),
1779         opt::multi_s("A", "allow", "Set lint allowed", "OPT"),
1780         opt::multi_s("D", "deny", "Set lint denied", "OPT"),
1781         opt::multi_s("F", "forbid", "Set lint forbidden", "OPT"),
1782         opt::multi_s(
1783             "",
1784             "cap-lints",
1785             "Set the most restrictive lint level. \
1786              More restrictive lints are capped at this \
1787              level",
1788             "LEVEL",
1789         ),
1790         opt::multi_s("C", "codegen", "Set a codegen option", "OPT[=VALUE]"),
1791         opt::flag_s("V", "version", "Print version info and exit"),
1792         opt::flag_s("v", "verbose", "Use verbose output"),
1793     ]
1794 }
1795
1796 /// Returns all rustc command line options, including metadata for
1797 /// each option, such as whether the option is part of the stable
1798 /// long-term interface for rustc.
1799 pub fn rustc_optgroups() -> Vec<RustcOptGroup> {
1800     let mut opts = rustc_short_optgroups();
1801     opts.extend(vec![
1802         opt::multi_s(
1803             "",
1804             "extern",
1805             "Specify where an external rust library is located",
1806             "NAME=PATH",
1807         ),
1808         opt::multi_s(
1809             "",
1810             "extern-private",
1811             "Specify where an extern rust library is located, marking it as a private dependency",
1812             "NAME=PATH",
1813         ),
1814         opt::opt_s("", "sysroot", "Override the system root", "PATH"),
1815         opt::multi("Z", "", "Set internal debugging options", "FLAG"),
1816         opt::opt_s(
1817             "",
1818             "error-format",
1819             "How errors and other messages are produced",
1820             "human|json|short",
1821         ),
1822         opt::opt(
1823             "",
1824             "json-rendered",
1825             "Choose `rendered` field of json diagnostics render scheme",
1826             "plain|termcolor",
1827         ),
1828         opt::opt_s(
1829             "",
1830             "color",
1831             "Configure coloring of output:
1832                                  auto   = colorize, if output goes to a tty (default);
1833                                  always = always colorize output;
1834                                  never  = never colorize output",
1835             "auto|always|never",
1836         ),
1837         opt::opt(
1838             "",
1839             "pretty",
1840             "Pretty-print the input instead of compiling;
1841                   valid types are: `normal` (un-annotated source),
1842                   `expanded` (crates expanded), or
1843                   `expanded,identified` (fully parenthesized, AST nodes with IDs).",
1844             "TYPE",
1845         ),
1846         opt::multi_s(
1847             "",
1848             "remap-path-prefix",
1849             "Remap source names in all output (compiler messages and output files)",
1850             "FROM=TO",
1851         ),
1852     ]);
1853     opts
1854 }
1855
1856 // Convert strings provided as --cfg [cfgspec] into a crate_cfg
1857 pub fn parse_cfgspecs(cfgspecs: Vec<String>) -> FxHashSet<(String, Option<String>)> {
1858     syntax::with_default_globals(move || {
1859         let cfg = cfgspecs.into_iter().map(|s| {
1860             let sess = parse::ParseSess::new(FilePathMapping::empty());
1861             let filename = FileName::cfg_spec_source_code(&s);
1862             let mut parser = parse::new_parser_from_source_str(&sess, filename, s.to_string());
1863
1864             macro_rules! error {($reason: expr) => {
1865                 early_error(ErrorOutputType::default(),
1866                             &format!(concat!("invalid `--cfg` argument: `{}` (", $reason, ")"), s));
1867             }}
1868
1869             match &mut parser.parse_meta_item() {
1870                 Ok(meta_item) if parser.token == token::Eof => {
1871                     if meta_item.path.segments.len() != 1 {
1872                         error!("argument key must be an identifier");
1873                     }
1874                     match &meta_item.node {
1875                         MetaItemKind::List(..) => {
1876                             error!(r#"expected `key` or `key="value"`"#);
1877                         }
1878                         MetaItemKind::NameValue(lit) if !lit.node.is_str() => {
1879                             error!("argument value must be a string");
1880                         }
1881                         MetaItemKind::NameValue(..) | MetaItemKind::Word => {
1882                             let ident = meta_item.ident().expect("multi-segment cfg key");
1883                             return (ident.name, meta_item.value_str());
1884                         }
1885                     }
1886                 }
1887                 Ok(..) => {}
1888                 Err(err) => err.cancel(),
1889             }
1890
1891             error!(r#"expected `key` or `key="value"`"#);
1892         }).collect::<ast::CrateConfig>();
1893         cfg.into_iter().map(|(a, b)| {
1894             (a.to_string(), b.map(|b| b.to_string()))
1895         }).collect()
1896     })
1897 }
1898
1899 pub fn get_cmd_lint_options(matches: &getopts::Matches,
1900                             error_format: ErrorOutputType)
1901                             -> (Vec<(String, lint::Level)>, bool, Option<lint::Level>) {
1902     let mut lint_opts = vec![];
1903     let mut describe_lints = false;
1904
1905     for &level in &[lint::Allow, lint::Warn, lint::Deny, lint::Forbid] {
1906         for lint_name in matches.opt_strs(level.as_str()) {
1907             if lint_name == "help" {
1908                 describe_lints = true;
1909             } else {
1910                 lint_opts.push((lint_name.replace("-", "_"), level));
1911             }
1912         }
1913     }
1914
1915     let lint_cap = matches.opt_str("cap-lints").map(|cap| {
1916         lint::Level::from_str(&cap)
1917             .unwrap_or_else(|| early_error(error_format, &format!("unknown lint level: `{}`", cap)))
1918     });
1919     (lint_opts, describe_lints, lint_cap)
1920 }
1921
1922 pub fn build_session_options_and_crate_config(
1923     matches: &getopts::Matches,
1924 ) -> (Options, FxHashSet<(String, Option<String>)>) {
1925     let color = match matches.opt_str("color").as_ref().map(|s| &s[..]) {
1926         Some("auto") => ColorConfig::Auto,
1927         Some("always") => ColorConfig::Always,
1928         Some("never") => ColorConfig::Never,
1929
1930         None => ColorConfig::Auto,
1931
1932         Some(arg) => early_error(
1933             ErrorOutputType::default(),
1934             &format!(
1935                 "argument for --color must be auto, \
1936                  always or never (instead was `{}`)",
1937                 arg
1938             ),
1939         ),
1940     };
1941
1942     let edition = match matches.opt_str("edition") {
1943         Some(arg) => Edition::from_str(&arg).unwrap_or_else(|_|
1944             early_error(
1945                 ErrorOutputType::default(),
1946                 &format!(
1947                     "argument for --edition must be one of: \
1948                      {}. (instead was `{}`)",
1949                     EDITION_NAME_LIST,
1950                     arg
1951                 ),
1952             ),
1953         ),
1954         None => DEFAULT_EDITION,
1955     };
1956
1957     if !edition.is_stable() && !nightly_options::is_nightly_build() {
1958         early_error(
1959                 ErrorOutputType::default(),
1960                 &format!(
1961                     "Edition {} is unstable and only \
1962                      available for nightly builds of rustc.",
1963                     edition,
1964                 )
1965         )
1966     }
1967
1968     let json_rendered = matches.opt_str("json-rendered").and_then(|s| match s.as_str() {
1969         "plain" => None,
1970         "termcolor" => Some(HumanReadableErrorType::Default(ColorConfig::Always)),
1971         _ => early_error(
1972             ErrorOutputType::default(),
1973             &format!(
1974                 "argument for --json-rendered must be `plain` or `termcolor` (instead was `{}`)",
1975                 s,
1976             ),
1977         ),
1978     }).unwrap_or(HumanReadableErrorType::Default(ColorConfig::Never));
1979
1980     // We need the opts_present check because the driver will send us Matches
1981     // with only stable options if no unstable options are used. Since error-format
1982     // is unstable, it will not be present. We have to use opts_present not
1983     // opt_present because the latter will panic.
1984     let error_format = if matches.opts_present(&["error-format".to_owned()]) {
1985         match matches.opt_str("error-format").as_ref().map(|s| &s[..]) {
1986             None |
1987             Some("human") => ErrorOutputType::HumanReadable(HumanReadableErrorType::Default(color)),
1988             Some("json") => ErrorOutputType::Json { pretty: false, json_rendered },
1989             Some("pretty-json") => ErrorOutputType::Json { pretty: true, json_rendered },
1990             Some("short") => ErrorOutputType::HumanReadable(HumanReadableErrorType::Short(color)),
1991
1992             Some(arg) => early_error(
1993                 ErrorOutputType::HumanReadable(HumanReadableErrorType::Default(color)),
1994                 &format!(
1995                     "argument for --error-format must be `human`, `json` or \
1996                      `short` (instead was `{}`)",
1997                     arg
1998                 ),
1999             ),
2000         }
2001     } else {
2002         ErrorOutputType::HumanReadable(HumanReadableErrorType::Default(color))
2003     };
2004
2005     let unparsed_crate_types = matches.opt_strs("crate-type");
2006     let crate_types = parse_crate_types_from_list(unparsed_crate_types)
2007         .unwrap_or_else(|e| early_error(error_format, &e[..]));
2008
2009
2010     let (lint_opts, describe_lints, lint_cap) = get_cmd_lint_options(matches, error_format);
2011
2012     let mut debugging_opts = build_debugging_options(matches, error_format);
2013
2014     if !debugging_opts.unstable_options {
2015         if matches.opt_str("json-rendered").is_some() {
2016             early_error(error_format, "`--json-rendered=x` is unstable");
2017         }
2018         if let ErrorOutputType::Json { pretty: true, json_rendered } = error_format {
2019             early_error(
2020                 ErrorOutputType::Json { pretty: false, json_rendered },
2021                 "--error-format=pretty-json is unstable",
2022             );
2023         }
2024     }
2025
2026     if debugging_opts.pgo_gen.enabled() && debugging_opts.pgo_use.is_some() {
2027         early_error(
2028             error_format,
2029             "options `-Z pgo-gen` and `-Z pgo-use` are exclusive",
2030         );
2031     }
2032
2033     let mut output_types = BTreeMap::new();
2034     if !debugging_opts.parse_only {
2035         for list in matches.opt_strs("emit") {
2036             for output_type in list.split(',') {
2037                 let mut parts = output_type.splitn(2, '=');
2038                 let shorthand = parts.next().unwrap();
2039                 let output_type = OutputType::from_shorthand(shorthand).unwrap_or_else(||
2040                     early_error(
2041                         error_format,
2042                         &format!(
2043                             "unknown emission type: `{}` - expected one of: {}",
2044                             shorthand,
2045                             OutputType::shorthands_display(),
2046                         ),
2047                     ),
2048                 );
2049                 let path = parts.next().map(PathBuf::from);
2050                 output_types.insert(output_type, path);
2051             }
2052         }
2053     };
2054     if output_types.is_empty() {
2055         output_types.insert(OutputType::Exe, None);
2056     }
2057
2058     let mut cg = build_codegen_options(matches, error_format);
2059     let mut codegen_units = cg.codegen_units;
2060     let mut disable_thinlto = false;
2061
2062     // Issue #30063: if user requests llvm-related output to one
2063     // particular path, disable codegen-units.
2064     let incompatible: Vec<_> = output_types
2065         .iter()
2066         .map(|ot_path| ot_path.0)
2067         .filter(|ot| !ot.is_compatible_with_codegen_units_and_single_output_file())
2068         .map(|ot| ot.shorthand())
2069         .collect();
2070     if !incompatible.is_empty() {
2071         match codegen_units {
2072             Some(n) if n > 1 => {
2073                 if matches.opt_present("o") {
2074                     for ot in &incompatible {
2075                         early_warn(
2076                             error_format,
2077                             &format!(
2078                                 "--emit={} with -o incompatible with \
2079                                  -C codegen-units=N for N > 1",
2080                                 ot
2081                             ),
2082                         );
2083                     }
2084                     early_warn(error_format, "resetting to default -C codegen-units=1");
2085                     codegen_units = Some(1);
2086                     disable_thinlto = true;
2087                 }
2088             }
2089             _ => {
2090                 codegen_units = Some(1);
2091                 disable_thinlto = true;
2092             }
2093         }
2094     }
2095
2096     if debugging_opts.threads == Some(0) {
2097         early_error(
2098             error_format,
2099             "Value for threads must be a positive nonzero integer",
2100         );
2101     }
2102
2103     if debugging_opts.threads.unwrap_or(1) > 1 && debugging_opts.fuel.is_some() {
2104         early_error(
2105             error_format,
2106             "Optimization fuel is incompatible with multiple threads",
2107         );
2108     }
2109
2110     if codegen_units == Some(0) {
2111         early_error(
2112             error_format,
2113             "Value for codegen units must be a positive nonzero integer",
2114         );
2115     }
2116
2117     let incremental = match (&debugging_opts.incremental, &cg.incremental) {
2118         (&Some(ref path1), &Some(ref path2)) => {
2119             if path1 != path2 {
2120                 early_error(
2121                     error_format,
2122                     &format!(
2123                         "conflicting paths for `-Z incremental` and \
2124                          `-C incremental` specified: {} versus {}",
2125                         path1, path2
2126                     ),
2127                 );
2128             } else {
2129                 Some(path1)
2130             }
2131         }
2132         (&Some(ref path), &None) => Some(path),
2133         (&None, &Some(ref path)) => Some(path),
2134         (&None, &None) => None,
2135     }.map(|m| PathBuf::from(m));
2136
2137     if debugging_opts.profile && incremental.is_some() {
2138         early_error(
2139             error_format,
2140             "can't instrument with gcov profiling when compiling incrementally",
2141         );
2142     }
2143
2144     let mut prints = Vec::<PrintRequest>::new();
2145     if cg.target_cpu.as_ref().map_or(false, |s| s == "help") {
2146         prints.push(PrintRequest::TargetCPUs);
2147         cg.target_cpu = None;
2148     };
2149     if cg.target_feature == "help" {
2150         prints.push(PrintRequest::TargetFeatures);
2151         cg.target_feature = String::new();
2152     }
2153     if cg.relocation_model.as_ref().map_or(false, |s| s == "help") {
2154         prints.push(PrintRequest::RelocationModels);
2155         cg.relocation_model = None;
2156     }
2157     if cg.code_model.as_ref().map_or(false, |s| s == "help") {
2158         prints.push(PrintRequest::CodeModels);
2159         cg.code_model = None;
2160     }
2161     if debugging_opts
2162         .tls_model
2163         .as_ref()
2164         .map_or(false, |s| s == "help")
2165     {
2166         prints.push(PrintRequest::TlsModels);
2167         debugging_opts.tls_model = None;
2168     }
2169
2170     let cg = cg;
2171
2172     let sysroot_opt = matches.opt_str("sysroot").map(|m| PathBuf::from(&m));
2173     let target_triple = if let Some(target) = matches.opt_str("target") {
2174         if target.ends_with(".json") {
2175             let path = Path::new(&target);
2176             TargetTriple::from_path(&path).unwrap_or_else(|_|
2177                 early_error(error_format, &format!("target file {:?} does not exist", path)))
2178         } else {
2179             TargetTriple::TargetTriple(target)
2180         }
2181     } else {
2182         TargetTriple::from_triple(host_triple())
2183     };
2184     let opt_level = {
2185         // The `-O` and `-C opt-level` flags specify the same setting, so we want to be able
2186         // to use them interchangeably. However, because they're technically different flags,
2187         // we need to work out manually which should take precedence if both are supplied (i.e.
2188         // the rightmost flag). We do this by finding the (rightmost) position of both flags and
2189         // comparing them. Note that if a flag is not found, its position will be `None`, which
2190         // always compared less than `Some(_)`.
2191         let max_o = matches.opt_positions("O").into_iter().max();
2192         let max_c = matches.opt_strs_pos("C").into_iter().flat_map(|(i, s)| {
2193             if let Some("opt-level") = s.splitn(2, '=').next() {
2194                 Some(i)
2195             } else {
2196                 None
2197             }
2198         }).max();
2199         if max_o > max_c {
2200             OptLevel::Default
2201         } else {
2202             match cg.opt_level.as_ref().map(String::as_ref) {
2203                 None => OptLevel::No,
2204                 Some("0") => OptLevel::No,
2205                 Some("1") => OptLevel::Less,
2206                 Some("2") => OptLevel::Default,
2207                 Some("3") => OptLevel::Aggressive,
2208                 Some("s") => OptLevel::Size,
2209                 Some("z") => OptLevel::SizeMin,
2210                 Some(arg) => {
2211                     early_error(
2212                         error_format,
2213                         &format!(
2214                             "optimization level needs to be \
2215                              between 0-3, s or z (instead was `{}`)",
2216                             arg
2217                         ),
2218                     );
2219                 }
2220             }
2221         }
2222     };
2223     // The `-g` and `-C debuginfo` flags specify the same setting, so we want to be able
2224     // to use them interchangeably. See the note above (regarding `-O` and `-C opt-level`)
2225     // for more details.
2226     let debug_assertions = cg.debug_assertions.unwrap_or(opt_level == OptLevel::No);
2227     let max_g = matches.opt_positions("g").into_iter().max();
2228     let max_c = matches.opt_strs_pos("C").into_iter().flat_map(|(i, s)| {
2229         if let Some("debuginfo") = s.splitn(2, '=').next() {
2230             Some(i)
2231         } else {
2232             None
2233         }
2234     }).max();
2235     let debuginfo = if max_g > max_c {
2236         DebugInfo::Full
2237     } else {
2238         match cg.debuginfo {
2239             None | Some(0) => DebugInfo::None,
2240             Some(1) => DebugInfo::Limited,
2241             Some(2) => DebugInfo::Full,
2242             Some(arg) => {
2243                 early_error(
2244                     error_format,
2245                     &format!(
2246                         "debug info level needs to be between \
2247                          0-2 (instead was `{}`)",
2248                         arg
2249                     ),
2250                 );
2251             }
2252         }
2253     };
2254
2255     let mut search_paths = vec![];
2256     for s in &matches.opt_strs("L") {
2257         search_paths.push(SearchPath::from_cli_opt(&s[..], error_format));
2258     }
2259
2260     let libs = matches
2261         .opt_strs("l")
2262         .into_iter()
2263         .map(|s| {
2264             // Parse string of the form "[KIND=]lib[:new_name]",
2265             // where KIND is one of "dylib", "framework", "static".
2266             let mut parts = s.splitn(2, '=');
2267             let kind = parts.next().unwrap();
2268             let (name, kind) = match (parts.next(), kind) {
2269                 (None, name) => (name, None),
2270                 (Some(name), "dylib") => (name, Some(cstore::NativeUnknown)),
2271                 (Some(name), "framework") => (name, Some(cstore::NativeFramework)),
2272                 (Some(name), "static") => (name, Some(cstore::NativeStatic)),
2273                 (Some(name), "static-nobundle") => (name, Some(cstore::NativeStaticNobundle)),
2274                 (_, s) => {
2275                     early_error(
2276                         error_format,
2277                         &format!(
2278                             "unknown library kind `{}`, expected \
2279                              one of dylib, framework, or static",
2280                             s
2281                         ),
2282                     );
2283                 }
2284             };
2285             if kind == Some(cstore::NativeStaticNobundle) && !nightly_options::is_nightly_build() {
2286                 early_error(
2287                     error_format,
2288                     &format!(
2289                         "the library kind 'static-nobundle' is only \
2290                          accepted on the nightly compiler"
2291                     ),
2292                 );
2293             }
2294             let mut name_parts = name.splitn(2, ':');
2295             let name = name_parts.next().unwrap();
2296             let new_name = name_parts.next();
2297             (name.to_owned(), new_name.map(|n| n.to_owned()), kind)
2298         })
2299         .collect();
2300
2301     let cfg = parse_cfgspecs(matches.opt_strs("cfg"));
2302     let test = matches.opt_present("test");
2303
2304     let is_unstable_enabled = nightly_options::is_unstable_enabled(matches);
2305
2306     prints.extend(matches.opt_strs("print").into_iter().map(|s| match &*s {
2307         "crate-name" => PrintRequest::CrateName,
2308         "file-names" => PrintRequest::FileNames,
2309         "sysroot" => PrintRequest::Sysroot,
2310         "cfg" => PrintRequest::Cfg,
2311         "target-list" => PrintRequest::TargetList,
2312         "target-cpus" => PrintRequest::TargetCPUs,
2313         "target-features" => PrintRequest::TargetFeatures,
2314         "relocation-models" => PrintRequest::RelocationModels,
2315         "code-models" => PrintRequest::CodeModels,
2316         "tls-models" => PrintRequest::TlsModels,
2317         "native-static-libs" => PrintRequest::NativeStaticLibs,
2318         "target-spec-json" => {
2319             if is_unstable_enabled {
2320                 PrintRequest::TargetSpec
2321             } else {
2322                 early_error(
2323                     error_format,
2324                     "the `-Z unstable-options` flag must also be passed to \
2325                      enable the target-spec-json print option",
2326                 );
2327             }
2328         }
2329         req => early_error(error_format, &format!("unknown print request `{}`", req)),
2330     }));
2331
2332     let borrowck_mode = match debugging_opts.borrowck.as_ref().map(|s| &s[..]) {
2333         None | Some("migrate") => BorrowckMode::Migrate,
2334         Some("mir") => BorrowckMode::Mir,
2335         Some(m) => early_error(error_format, &format!("unknown borrowck mode `{}`", m)),
2336     };
2337
2338     if !cg.remark.is_empty() && debuginfo == DebugInfo::None {
2339         early_warn(
2340             error_format,
2341             "-C remark requires \"-C debuginfo=n\" to show source locations",
2342         );
2343     }
2344
2345     if matches.opt_present("extern-private") && !debugging_opts.unstable_options {
2346         early_error(
2347             ErrorOutputType::default(),
2348             "'--extern-private' is unstable and only \
2349             available for nightly builds of rustc."
2350         )
2351     }
2352
2353     // We start out with a Vec<(Option<String>, bool)>>,
2354     // and later convert it into a BTreeSet<(Option<String>, bool)>
2355     // This allows to modify entries in-place to set their correct
2356     // 'public' value
2357     let mut externs: BTreeMap<String, ExternEntry> = BTreeMap::new();
2358     for (arg, private) in matches.opt_strs("extern").into_iter().map(|v| (v, false))
2359         .chain(matches.opt_strs("extern-private").into_iter().map(|v| (v, true))) {
2360
2361         let mut parts = arg.splitn(2, '=');
2362         let name = parts.next().unwrap_or_else(||
2363             early_error(error_format, "--extern value must not be empty"));
2364         let location = parts.next().map(|s| s.to_string());
2365         if location.is_none() && !is_unstable_enabled {
2366             early_error(
2367                 error_format,
2368                 "the `-Z unstable-options` flag must also be passed to \
2369                  enable `--extern crate_name` without `=path`",
2370             );
2371         };
2372
2373         let entry = externs
2374             .entry(name.to_owned())
2375             .or_default();
2376
2377
2378         entry.locations.insert(location.clone());
2379
2380         // Crates start out being not private,
2381         // and go to being private if we see an '--extern-private'
2382         // flag
2383         entry.is_private_dep |= private;
2384     }
2385
2386     let crate_name = matches.opt_str("crate-name");
2387
2388     let remap_path_prefix = matches
2389         .opt_strs("remap-path-prefix")
2390         .into_iter()
2391         .map(|remap| {
2392             let mut parts = remap.rsplitn(2, '='); // reverse iterator
2393             let to = parts.next();
2394             let from = parts.next();
2395             match (from, to) {
2396                 (Some(from), Some(to)) => (PathBuf::from(from), PathBuf::from(to)),
2397                 _ => early_error(
2398                     error_format,
2399                     "--remap-path-prefix must contain '=' between FROM and TO",
2400                 ),
2401             }
2402         })
2403         .collect();
2404
2405     (
2406         Options {
2407             crate_types,
2408             optimize: opt_level,
2409             debuginfo,
2410             lint_opts,
2411             lint_cap,
2412             describe_lints,
2413             output_types: OutputTypes(output_types),
2414             search_paths,
2415             maybe_sysroot: sysroot_opt,
2416             target_triple,
2417             test,
2418             incremental,
2419             debugging_opts,
2420             prints,
2421             borrowck_mode,
2422             cg,
2423             error_format,
2424             externs: Externs(externs),
2425             crate_name,
2426             alt_std_name: None,
2427             libs,
2428             unstable_features: UnstableFeatures::from_environment(),
2429             debug_assertions,
2430             actually_rustdoc: false,
2431             cli_forced_codegen_units: codegen_units,
2432             cli_forced_thinlto_off: disable_thinlto,
2433             remap_path_prefix,
2434             edition,
2435         },
2436         cfg,
2437     )
2438 }
2439
2440 pub fn parse_crate_types_from_list(list_list: Vec<String>) -> Result<Vec<CrateType>, String> {
2441     let mut crate_types: Vec<CrateType> = Vec::new();
2442     for unparsed_crate_type in &list_list {
2443         for part in unparsed_crate_type.split(',') {
2444             let new_part = match part {
2445                 "lib" => default_lib_output(),
2446                 "rlib" => CrateType::Rlib,
2447                 "staticlib" => CrateType::Staticlib,
2448                 "dylib" => CrateType::Dylib,
2449                 "cdylib" => CrateType::Cdylib,
2450                 "bin" => CrateType::Executable,
2451                 "proc-macro" => CrateType::ProcMacro,
2452                 _ => return Err(format!("unknown crate type: `{}`", part))
2453             };
2454             if !crate_types.contains(&new_part) {
2455                 crate_types.push(new_part)
2456             }
2457         }
2458     }
2459
2460     Ok(crate_types)
2461 }
2462
2463 pub mod nightly_options {
2464     use getopts;
2465     use syntax::feature_gate::UnstableFeatures;
2466     use super::{ErrorOutputType, OptionStability, RustcOptGroup};
2467     use crate::session::early_error;
2468
2469     pub fn is_unstable_enabled(matches: &getopts::Matches) -> bool {
2470         is_nightly_build()
2471             && matches
2472                 .opt_strs("Z")
2473                 .iter()
2474                 .any(|x| *x == "unstable-options")
2475     }
2476
2477     pub fn is_nightly_build() -> bool {
2478         UnstableFeatures::from_environment().is_nightly_build()
2479     }
2480
2481     pub fn check_nightly_options(matches: &getopts::Matches, flags: &[RustcOptGroup]) {
2482         let has_z_unstable_option = matches
2483             .opt_strs("Z")
2484             .iter()
2485             .any(|x| *x == "unstable-options");
2486         let really_allows_unstable_options =
2487             UnstableFeatures::from_environment().is_nightly_build();
2488
2489         for opt in flags.iter() {
2490             if opt.stability == OptionStability::Stable {
2491                 continue;
2492             }
2493             if !matches.opt_present(opt.name) {
2494                 continue;
2495             }
2496             if opt.name != "Z" && !has_z_unstable_option {
2497                 early_error(
2498                     ErrorOutputType::default(),
2499                     &format!(
2500                         "the `-Z unstable-options` flag must also be passed to enable \
2501                          the flag `{}`",
2502                         opt.name
2503                     ),
2504                 );
2505             }
2506             if really_allows_unstable_options {
2507                 continue;
2508             }
2509             match opt.stability {
2510                 OptionStability::Unstable => {
2511                     let msg = format!(
2512                         "the option `{}` is only accepted on the \
2513                          nightly compiler",
2514                         opt.name
2515                     );
2516                     early_error(ErrorOutputType::default(), &msg);
2517                 }
2518                 OptionStability::Stable => {}
2519             }
2520         }
2521     }
2522 }
2523
2524 impl fmt::Display for CrateType {
2525     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2526         match *self {
2527             CrateType::Executable => "bin".fmt(f),
2528             CrateType::Dylib => "dylib".fmt(f),
2529             CrateType::Rlib => "rlib".fmt(f),
2530             CrateType::Staticlib => "staticlib".fmt(f),
2531             CrateType::Cdylib => "cdylib".fmt(f),
2532             CrateType::ProcMacro => "proc-macro".fmt(f),
2533         }
2534     }
2535 }
2536
2537 /// Command-line arguments passed to the compiler have to be incorporated with
2538 /// the dependency tracking system for incremental compilation. This module
2539 /// provides some utilities to make this more convenient.
2540 ///
2541 /// The values of all command-line arguments that are relevant for dependency
2542 /// tracking are hashed into a single value that determines whether the
2543 /// incremental compilation cache can be re-used or not. This hashing is done
2544 /// via the DepTrackingHash trait defined below, since the standard Hash
2545 /// implementation might not be suitable (e.g., arguments are stored in a Vec,
2546 /// the hash of which is order dependent, but we might not want the order of
2547 /// arguments to make a difference for the hash).
2548 ///
2549 /// However, since the value provided by Hash::hash often *is* suitable,
2550 /// especially for primitive types, there is the
2551 /// impl_dep_tracking_hash_via_hash!() macro that allows to simply reuse the
2552 /// Hash implementation for DepTrackingHash. It's important though that
2553 /// we have an opt-in scheme here, so one is hopefully forced to think about
2554 /// how the hash should be calculated when adding a new command-line argument.
2555 mod dep_tracking {
2556     use crate::lint;
2557     use crate::middle::cstore;
2558     use std::collections::BTreeMap;
2559     use std::hash::Hash;
2560     use std::path::PathBuf;
2561     use std::collections::hash_map::DefaultHasher;
2562     use super::{CrateType, DebugInfo, ErrorOutputType, OptLevel, OutputTypes,
2563                 Passes, Sanitizer, LtoCli, LinkerPluginLto, SwitchWithOptPath};
2564     use syntax::feature_gate::UnstableFeatures;
2565     use rustc_target::spec::{MergeFunctions, PanicStrategy, RelroLevel, TargetTriple};
2566     use syntax::edition::Edition;
2567
2568     pub trait DepTrackingHash {
2569         fn hash(&self, hasher: &mut DefaultHasher, error_format: ErrorOutputType);
2570     }
2571
2572     macro_rules! impl_dep_tracking_hash_via_hash {
2573         ($t:ty) => (
2574             impl DepTrackingHash for $t {
2575                 fn hash(&self, hasher: &mut DefaultHasher, _: ErrorOutputType) {
2576                     Hash::hash(self, hasher);
2577                 }
2578             }
2579         )
2580     }
2581
2582     macro_rules! impl_dep_tracking_hash_for_sortable_vec_of {
2583         ($t:ty) => (
2584             impl DepTrackingHash for Vec<$t> {
2585                 fn hash(&self, hasher: &mut DefaultHasher, error_format: ErrorOutputType) {
2586                     let mut elems: Vec<&$t> = self.iter().collect();
2587                     elems.sort();
2588                     Hash::hash(&elems.len(), hasher);
2589                     for (index, elem) in elems.iter().enumerate() {
2590                         Hash::hash(&index, hasher);
2591                         DepTrackingHash::hash(*elem, hasher, error_format);
2592                     }
2593                 }
2594             }
2595         );
2596     }
2597
2598     impl_dep_tracking_hash_via_hash!(bool);
2599     impl_dep_tracking_hash_via_hash!(usize);
2600     impl_dep_tracking_hash_via_hash!(u64);
2601     impl_dep_tracking_hash_via_hash!(String);
2602     impl_dep_tracking_hash_via_hash!(PathBuf);
2603     impl_dep_tracking_hash_via_hash!(lint::Level);
2604     impl_dep_tracking_hash_via_hash!(Option<bool>);
2605     impl_dep_tracking_hash_via_hash!(Option<usize>);
2606     impl_dep_tracking_hash_via_hash!(Option<String>);
2607     impl_dep_tracking_hash_via_hash!(Option<(String, u64)>);
2608     impl_dep_tracking_hash_via_hash!(Option<Vec<String>>);
2609     impl_dep_tracking_hash_via_hash!(Option<MergeFunctions>);
2610     impl_dep_tracking_hash_via_hash!(Option<PanicStrategy>);
2611     impl_dep_tracking_hash_via_hash!(Option<RelroLevel>);
2612     impl_dep_tracking_hash_via_hash!(Option<lint::Level>);
2613     impl_dep_tracking_hash_via_hash!(Option<PathBuf>);
2614     impl_dep_tracking_hash_via_hash!(Option<cstore::NativeLibraryKind>);
2615     impl_dep_tracking_hash_via_hash!(CrateType);
2616     impl_dep_tracking_hash_via_hash!(MergeFunctions);
2617     impl_dep_tracking_hash_via_hash!(PanicStrategy);
2618     impl_dep_tracking_hash_via_hash!(RelroLevel);
2619     impl_dep_tracking_hash_via_hash!(Passes);
2620     impl_dep_tracking_hash_via_hash!(OptLevel);
2621     impl_dep_tracking_hash_via_hash!(LtoCli);
2622     impl_dep_tracking_hash_via_hash!(DebugInfo);
2623     impl_dep_tracking_hash_via_hash!(UnstableFeatures);
2624     impl_dep_tracking_hash_via_hash!(OutputTypes);
2625     impl_dep_tracking_hash_via_hash!(cstore::NativeLibraryKind);
2626     impl_dep_tracking_hash_via_hash!(Sanitizer);
2627     impl_dep_tracking_hash_via_hash!(Option<Sanitizer>);
2628     impl_dep_tracking_hash_via_hash!(TargetTriple);
2629     impl_dep_tracking_hash_via_hash!(Edition);
2630     impl_dep_tracking_hash_via_hash!(LinkerPluginLto);
2631     impl_dep_tracking_hash_via_hash!(SwitchWithOptPath);
2632
2633     impl_dep_tracking_hash_for_sortable_vec_of!(String);
2634     impl_dep_tracking_hash_for_sortable_vec_of!(PathBuf);
2635     impl_dep_tracking_hash_for_sortable_vec_of!(CrateType);
2636     impl_dep_tracking_hash_for_sortable_vec_of!((String, lint::Level));
2637     impl_dep_tracking_hash_for_sortable_vec_of!((
2638         String,
2639         Option<String>,
2640         Option<cstore::NativeLibraryKind>
2641     ));
2642     impl_dep_tracking_hash_for_sortable_vec_of!((String, u64));
2643
2644     impl<T1, T2> DepTrackingHash for (T1, T2)
2645     where
2646         T1: DepTrackingHash,
2647         T2: DepTrackingHash,
2648     {
2649         fn hash(&self, hasher: &mut DefaultHasher, error_format: ErrorOutputType) {
2650             Hash::hash(&0, hasher);
2651             DepTrackingHash::hash(&self.0, hasher, error_format);
2652             Hash::hash(&1, hasher);
2653             DepTrackingHash::hash(&self.1, hasher, error_format);
2654         }
2655     }
2656
2657     impl<T1, T2, T3> DepTrackingHash for (T1, T2, T3)
2658     where
2659         T1: DepTrackingHash,
2660         T2: DepTrackingHash,
2661         T3: DepTrackingHash,
2662     {
2663         fn hash(&self, hasher: &mut DefaultHasher, error_format: ErrorOutputType) {
2664             Hash::hash(&0, hasher);
2665             DepTrackingHash::hash(&self.0, hasher, error_format);
2666             Hash::hash(&1, hasher);
2667             DepTrackingHash::hash(&self.1, hasher, error_format);
2668             Hash::hash(&2, hasher);
2669             DepTrackingHash::hash(&self.2, hasher, error_format);
2670         }
2671     }
2672
2673     // This is a stable hash because BTreeMap is a sorted container
2674     pub fn stable_hash(
2675         sub_hashes: BTreeMap<&'static str, &dyn DepTrackingHash>,
2676         hasher: &mut DefaultHasher,
2677         error_format: ErrorOutputType,
2678     ) {
2679         for (key, sub_hash) in sub_hashes {
2680             // Using Hash::hash() instead of DepTrackingHash::hash() is fine for
2681             // the keys, as they are just plain strings
2682             Hash::hash(&key.len(), hasher);
2683             Hash::hash(key, hasher);
2684             sub_hash.hash(hasher, error_format);
2685         }
2686     }
2687 }
2688
2689 #[cfg(test)]
2690 mod tests {
2691     use getopts;
2692     use crate::lint;
2693     use crate::middle::cstore;
2694     use crate::session::config::{
2695         build_configuration,
2696         build_session_options_and_crate_config,
2697         to_crate_config
2698     };
2699     use crate::session::config::{LtoCli, LinkerPluginLto, SwitchWithOptPath, ExternEntry};
2700     use crate::session::build_session;
2701     use crate::session::search_paths::SearchPath;
2702     use std::collections::{BTreeMap, BTreeSet};
2703     use std::iter::FromIterator;
2704     use std::path::PathBuf;
2705     use super::{Externs, OutputType, OutputTypes};
2706     use rustc_target::spec::{MergeFunctions, PanicStrategy, RelroLevel};
2707     use syntax::symbol::sym;
2708     use syntax::edition::{Edition, DEFAULT_EDITION};
2709     use syntax;
2710     use super::Options;
2711
2712     impl ExternEntry {
2713         fn new_public<S: Into<String>,
2714                       I: IntoIterator<Item = Option<S>>>(locations: I) -> ExternEntry {
2715             let locations: BTreeSet<_> = locations.into_iter().map(|o| o.map(|s| s.into()))
2716                 .collect();
2717
2718             ExternEntry {
2719                 locations,
2720                 is_private_dep: false
2721             }
2722         }
2723     }
2724
2725     fn optgroups() -> getopts::Options {
2726         let mut opts = getopts::Options::new();
2727         for group in super::rustc_optgroups() {
2728             (group.apply)(&mut opts);
2729         }
2730         return opts;
2731     }
2732
2733     fn mk_map<K: Ord, V>(entries: Vec<(K, V)>) -> BTreeMap<K, V> {
2734         BTreeMap::from_iter(entries.into_iter())
2735     }
2736
2737     // When the user supplies --test we should implicitly supply --cfg test
2738     #[test]
2739     fn test_switch_implies_cfg_test() {
2740         syntax::with_default_globals(|| {
2741             let matches = &match optgroups().parse(&["--test".to_string()]) {
2742                 Ok(m) => m,
2743                 Err(f) => panic!("test_switch_implies_cfg_test: {}", f),
2744             };
2745             let registry = errors::registry::Registry::new(&[]);
2746             let (sessopts, cfg) = build_session_options_and_crate_config(matches);
2747             let sess = build_session(sessopts, None, registry);
2748             let cfg = build_configuration(&sess, to_crate_config(cfg));
2749             assert!(cfg.contains(&(sym::test, None)));
2750         });
2751     }
2752
2753     // When the user supplies --test and --cfg test, don't implicitly add
2754     // another --cfg test
2755     #[test]
2756     fn test_switch_implies_cfg_test_unless_cfg_test() {
2757         syntax::with_default_globals(|| {
2758             let matches = &match optgroups().parse(&["--test".to_string(),
2759                                                      "--cfg=test".to_string()]) {
2760                 Ok(m) => m,
2761                 Err(f) => panic!("test_switch_implies_cfg_test_unless_cfg_test: {}", f),
2762             };
2763             let registry = errors::registry::Registry::new(&[]);
2764             let (sessopts, cfg) = build_session_options_and_crate_config(matches);
2765             let sess = build_session(sessopts, None, registry);
2766             let cfg = build_configuration(&sess, to_crate_config(cfg));
2767             let mut test_items = cfg.iter().filter(|&&(name, _)| name == sym::test);
2768             assert!(test_items.next().is_some());
2769             assert!(test_items.next().is_none());
2770         });
2771     }
2772
2773     #[test]
2774     fn test_can_print_warnings() {
2775         syntax::with_default_globals(|| {
2776             let matches = optgroups().parse(&["-Awarnings".to_string()]).unwrap();
2777             let registry = errors::registry::Registry::new(&[]);
2778             let (sessopts, _) = build_session_options_and_crate_config(&matches);
2779             let sess = build_session(sessopts, None, registry);
2780             assert!(!sess.diagnostic().flags.can_emit_warnings);
2781         });
2782
2783         syntax::with_default_globals(|| {
2784             let matches = optgroups()
2785                 .parse(&["-Awarnings".to_string(), "-Dwarnings".to_string()])
2786                 .unwrap();
2787             let registry = errors::registry::Registry::new(&[]);
2788             let (sessopts, _) = build_session_options_and_crate_config(&matches);
2789             let sess = build_session(sessopts, None, registry);
2790             assert!(sess.diagnostic().flags.can_emit_warnings);
2791         });
2792
2793         syntax::with_default_globals(|| {
2794             let matches = optgroups().parse(&["-Adead_code".to_string()]).unwrap();
2795             let registry = errors::registry::Registry::new(&[]);
2796             let (sessopts, _) = build_session_options_and_crate_config(&matches);
2797             let sess = build_session(sessopts, None, registry);
2798             assert!(sess.diagnostic().flags.can_emit_warnings);
2799         });
2800     }
2801
2802     #[test]
2803     fn test_output_types_tracking_hash_different_paths() {
2804         let mut v1 = Options::default();
2805         let mut v2 = Options::default();
2806         let mut v3 = Options::default();
2807
2808         v1.output_types =
2809             OutputTypes::new(&[(OutputType::Exe, Some(PathBuf::from("./some/thing")))]);
2810         v2.output_types =
2811             OutputTypes::new(&[(OutputType::Exe, Some(PathBuf::from("/some/thing")))]);
2812         v3.output_types = OutputTypes::new(&[(OutputType::Exe, None)]);
2813
2814         assert!(v1.dep_tracking_hash() != v2.dep_tracking_hash());
2815         assert!(v1.dep_tracking_hash() != v3.dep_tracking_hash());
2816         assert!(v2.dep_tracking_hash() != v3.dep_tracking_hash());
2817
2818         // Check clone
2819         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
2820         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
2821         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
2822     }
2823
2824     #[test]
2825     fn test_output_types_tracking_hash_different_construction_order() {
2826         let mut v1 = Options::default();
2827         let mut v2 = Options::default();
2828
2829         v1.output_types = OutputTypes::new(&[
2830             (OutputType::Exe, Some(PathBuf::from("./some/thing"))),
2831             (OutputType::Bitcode, Some(PathBuf::from("./some/thing.bc"))),
2832         ]);
2833
2834         v2.output_types = OutputTypes::new(&[
2835             (OutputType::Bitcode, Some(PathBuf::from("./some/thing.bc"))),
2836             (OutputType::Exe, Some(PathBuf::from("./some/thing"))),
2837         ]);
2838
2839         assert_eq!(v1.dep_tracking_hash(), v2.dep_tracking_hash());
2840
2841         // Check clone
2842         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
2843     }
2844
2845     #[test]
2846     fn test_externs_tracking_hash_different_construction_order() {
2847         let mut v1 = Options::default();
2848         let mut v2 = Options::default();
2849         let mut v3 = Options::default();
2850
2851         v1.externs = Externs::new(mk_map(vec![
2852             (
2853                 String::from("a"),
2854                 ExternEntry::new_public(vec![Some("b"), Some("c")])
2855             ),
2856             (
2857                 String::from("d"),
2858                 ExternEntry::new_public(vec![Some("e"), Some("f")])
2859             ),
2860         ]));
2861
2862         v2.externs = Externs::new(mk_map(vec![
2863             (
2864                 String::from("d"),
2865                 ExternEntry::new_public(vec![Some("e"), Some("f")])
2866             ),
2867             (
2868                 String::from("a"),
2869                 ExternEntry::new_public(vec![Some("b"), Some("c")])
2870             ),
2871         ]));
2872
2873         v3.externs = Externs::new(mk_map(vec![
2874             (
2875                 String::from("a"),
2876                 ExternEntry::new_public(vec![Some("b"), Some("c")])
2877             ),
2878             (
2879                 String::from("d"),
2880                 ExternEntry::new_public(vec![Some("f"), Some("e")])
2881             ),
2882         ]));
2883
2884         assert_eq!(v1.dep_tracking_hash(), v2.dep_tracking_hash());
2885         assert_eq!(v1.dep_tracking_hash(), v3.dep_tracking_hash());
2886         assert_eq!(v2.dep_tracking_hash(), v3.dep_tracking_hash());
2887
2888         // Check clone
2889         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
2890         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
2891         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
2892     }
2893
2894     #[test]
2895     fn test_lints_tracking_hash_different_values() {
2896         let mut v1 = Options::default();
2897         let mut v2 = Options::default();
2898         let mut v3 = Options::default();
2899
2900         v1.lint_opts = vec![
2901             (String::from("a"), lint::Allow),
2902             (String::from("b"), lint::Warn),
2903             (String::from("c"), lint::Deny),
2904             (String::from("d"), lint::Forbid),
2905         ];
2906
2907         v2.lint_opts = vec![
2908             (String::from("a"), lint::Allow),
2909             (String::from("b"), lint::Warn),
2910             (String::from("X"), lint::Deny),
2911             (String::from("d"), lint::Forbid),
2912         ];
2913
2914         v3.lint_opts = vec![
2915             (String::from("a"), lint::Allow),
2916             (String::from("b"), lint::Warn),
2917             (String::from("c"), lint::Forbid),
2918             (String::from("d"), lint::Deny),
2919         ];
2920
2921         assert!(v1.dep_tracking_hash() != v2.dep_tracking_hash());
2922         assert!(v1.dep_tracking_hash() != v3.dep_tracking_hash());
2923         assert!(v2.dep_tracking_hash() != v3.dep_tracking_hash());
2924
2925         // Check clone
2926         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
2927         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
2928         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
2929     }
2930
2931     #[test]
2932     fn test_lints_tracking_hash_different_construction_order() {
2933         let mut v1 = Options::default();
2934         let mut v2 = Options::default();
2935
2936         v1.lint_opts = vec![
2937             (String::from("a"), lint::Allow),
2938             (String::from("b"), lint::Warn),
2939             (String::from("c"), lint::Deny),
2940             (String::from("d"), lint::Forbid),
2941         ];
2942
2943         v2.lint_opts = vec![
2944             (String::from("a"), lint::Allow),
2945             (String::from("c"), lint::Deny),
2946             (String::from("b"), lint::Warn),
2947             (String::from("d"), lint::Forbid),
2948         ];
2949
2950         assert_eq!(v1.dep_tracking_hash(), v2.dep_tracking_hash());
2951
2952         // Check clone
2953         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
2954         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
2955     }
2956
2957     #[test]
2958     fn test_search_paths_tracking_hash_different_order() {
2959         let mut v1 = Options::default();
2960         let mut v2 = Options::default();
2961         let mut v3 = Options::default();
2962         let mut v4 = Options::default();
2963
2964         const JSON: super::ErrorOutputType = super::ErrorOutputType::Json {
2965             pretty: false,
2966             json_rendered: super::HumanReadableErrorType::Default(super::ColorConfig::Never),
2967         };
2968
2969         // Reference
2970         v1.search_paths
2971             .push(SearchPath::from_cli_opt("native=abc", JSON));
2972         v1.search_paths
2973             .push(SearchPath::from_cli_opt("crate=def", JSON));
2974         v1.search_paths
2975             .push(SearchPath::from_cli_opt("dependency=ghi", JSON));
2976         v1.search_paths
2977             .push(SearchPath::from_cli_opt("framework=jkl", JSON));
2978         v1.search_paths
2979             .push(SearchPath::from_cli_opt("all=mno", JSON));
2980
2981         v2.search_paths
2982             .push(SearchPath::from_cli_opt("native=abc", JSON));
2983         v2.search_paths
2984             .push(SearchPath::from_cli_opt("dependency=ghi", JSON));
2985         v2.search_paths
2986             .push(SearchPath::from_cli_opt("crate=def", JSON));
2987         v2.search_paths
2988             .push(SearchPath::from_cli_opt("framework=jkl", JSON));
2989         v2.search_paths
2990             .push(SearchPath::from_cli_opt("all=mno", JSON));
2991
2992         v3.search_paths
2993             .push(SearchPath::from_cli_opt("crate=def", JSON));
2994         v3.search_paths
2995             .push(SearchPath::from_cli_opt("framework=jkl", JSON));
2996         v3.search_paths
2997             .push(SearchPath::from_cli_opt("native=abc", JSON));
2998         v3.search_paths
2999             .push(SearchPath::from_cli_opt("dependency=ghi", JSON));
3000         v3.search_paths
3001             .push(SearchPath::from_cli_opt("all=mno", JSON));
3002
3003         v4.search_paths
3004             .push(SearchPath::from_cli_opt("all=mno", JSON));
3005         v4.search_paths
3006             .push(SearchPath::from_cli_opt("native=abc", JSON));
3007         v4.search_paths
3008             .push(SearchPath::from_cli_opt("crate=def", JSON));
3009         v4.search_paths
3010             .push(SearchPath::from_cli_opt("dependency=ghi", JSON));
3011         v4.search_paths
3012             .push(SearchPath::from_cli_opt("framework=jkl", JSON));
3013
3014         assert!(v1.dep_tracking_hash() == v2.dep_tracking_hash());
3015         assert!(v1.dep_tracking_hash() == v3.dep_tracking_hash());
3016         assert!(v1.dep_tracking_hash() == v4.dep_tracking_hash());
3017
3018         // Check clone
3019         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
3020         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
3021         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
3022         assert_eq!(v4.dep_tracking_hash(), v4.clone().dep_tracking_hash());
3023     }
3024
3025     #[test]
3026     fn test_native_libs_tracking_hash_different_values() {
3027         let mut v1 = Options::default();
3028         let mut v2 = Options::default();
3029         let mut v3 = Options::default();
3030         let mut v4 = Options::default();
3031
3032         // Reference
3033         v1.libs = vec![
3034             (String::from("a"), None, Some(cstore::NativeStatic)),
3035             (String::from("b"), None, Some(cstore::NativeFramework)),
3036             (String::from("c"), None, Some(cstore::NativeUnknown)),
3037         ];
3038
3039         // Change label
3040         v2.libs = vec![
3041             (String::from("a"), None, Some(cstore::NativeStatic)),
3042             (String::from("X"), None, Some(cstore::NativeFramework)),
3043             (String::from("c"), None, Some(cstore::NativeUnknown)),
3044         ];
3045
3046         // Change kind
3047         v3.libs = vec![
3048             (String::from("a"), None, Some(cstore::NativeStatic)),
3049             (String::from("b"), None, Some(cstore::NativeStatic)),
3050             (String::from("c"), None, Some(cstore::NativeUnknown)),
3051         ];
3052
3053         // Change new-name
3054         v4.libs = vec![
3055             (String::from("a"), None, Some(cstore::NativeStatic)),
3056             (
3057                 String::from("b"),
3058                 Some(String::from("X")),
3059                 Some(cstore::NativeFramework),
3060             ),
3061             (String::from("c"), None, Some(cstore::NativeUnknown)),
3062         ];
3063
3064         assert!(v1.dep_tracking_hash() != v2.dep_tracking_hash());
3065         assert!(v1.dep_tracking_hash() != v3.dep_tracking_hash());
3066         assert!(v1.dep_tracking_hash() != v4.dep_tracking_hash());
3067
3068         // Check clone
3069         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
3070         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
3071         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
3072         assert_eq!(v4.dep_tracking_hash(), v4.clone().dep_tracking_hash());
3073     }
3074
3075     #[test]
3076     fn test_native_libs_tracking_hash_different_order() {
3077         let mut v1 = Options::default();
3078         let mut v2 = Options::default();
3079         let mut v3 = Options::default();
3080
3081         // Reference
3082         v1.libs = vec![
3083             (String::from("a"), None, Some(cstore::NativeStatic)),
3084             (String::from("b"), None, Some(cstore::NativeFramework)),
3085             (String::from("c"), None, Some(cstore::NativeUnknown)),
3086         ];
3087
3088         v2.libs = vec![
3089             (String::from("b"), None, Some(cstore::NativeFramework)),
3090             (String::from("a"), None, Some(cstore::NativeStatic)),
3091             (String::from("c"), None, Some(cstore::NativeUnknown)),
3092         ];
3093
3094         v3.libs = vec![
3095             (String::from("c"), None, Some(cstore::NativeUnknown)),
3096             (String::from("a"), None, Some(cstore::NativeStatic)),
3097             (String::from("b"), None, Some(cstore::NativeFramework)),
3098         ];
3099
3100         assert!(v1.dep_tracking_hash() == v2.dep_tracking_hash());
3101         assert!(v1.dep_tracking_hash() == v3.dep_tracking_hash());
3102         assert!(v2.dep_tracking_hash() == v3.dep_tracking_hash());
3103
3104         // Check clone
3105         assert_eq!(v1.dep_tracking_hash(), v1.clone().dep_tracking_hash());
3106         assert_eq!(v2.dep_tracking_hash(), v2.clone().dep_tracking_hash());
3107         assert_eq!(v3.dep_tracking_hash(), v3.clone().dep_tracking_hash());
3108     }
3109
3110     #[test]
3111     fn test_codegen_options_tracking_hash() {
3112         let reference = Options::default();
3113         let mut opts = Options::default();
3114
3115         // Make sure the changing an [UNTRACKED] option leaves the hash unchanged
3116         opts.cg.ar = Some(String::from("abc"));
3117         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3118
3119         opts.cg.linker = Some(PathBuf::from("linker"));
3120         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3121
3122         opts.cg.link_args = Some(vec![String::from("abc"), String::from("def")]);
3123         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3124
3125         opts.cg.link_dead_code = true;
3126         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3127
3128         opts.cg.rpath = true;
3129         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3130
3131         opts.cg.extra_filename = String::from("extra-filename");
3132         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3133
3134         opts.cg.codegen_units = Some(42);
3135         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3136
3137         opts.cg.remark = super::Passes::Some(vec![String::from("pass1"), String::from("pass2")]);
3138         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3139
3140         opts.cg.save_temps = true;
3141         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3142
3143         opts.cg.incremental = Some(String::from("abc"));
3144         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3145
3146         // Make sure changing a [TRACKED] option changes the hash
3147         opts = reference.clone();
3148         opts.cg.lto = LtoCli::Fat;
3149         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3150
3151         opts = reference.clone();
3152         opts.cg.target_cpu = Some(String::from("abc"));
3153         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3154
3155         opts = reference.clone();
3156         opts.cg.target_feature = String::from("all the features, all of them");
3157         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3158
3159         opts = reference.clone();
3160         opts.cg.passes = vec![String::from("1"), String::from("2")];
3161         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3162
3163         opts = reference.clone();
3164         opts.cg.llvm_args = vec![String::from("1"), String::from("2")];
3165         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3166
3167         opts = reference.clone();
3168         opts.cg.overflow_checks = Some(true);
3169         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3170
3171         opts = reference.clone();
3172         opts.cg.no_prepopulate_passes = true;
3173         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3174
3175         opts = reference.clone();
3176         opts.cg.no_vectorize_loops = true;
3177         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3178
3179         opts = reference.clone();
3180         opts.cg.no_vectorize_slp = true;
3181         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3182
3183         opts = reference.clone();
3184         opts.cg.soft_float = true;
3185         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3186
3187         opts = reference.clone();
3188         opts.cg.prefer_dynamic = true;
3189         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3190
3191         opts = reference.clone();
3192         opts.cg.no_integrated_as = true;
3193         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3194
3195         opts = reference.clone();
3196         opts.cg.no_redzone = Some(true);
3197         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3198
3199         opts = reference.clone();
3200         opts.cg.relocation_model = Some(String::from("relocation model"));
3201         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3202
3203         opts = reference.clone();
3204         opts.cg.code_model = Some(String::from("code model"));
3205         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3206
3207         opts = reference.clone();
3208         opts.debugging_opts.tls_model = Some(String::from("tls model"));
3209         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3210
3211         opts = reference.clone();
3212         opts.debugging_opts.pgo_gen = SwitchWithOptPath::Enabled(None);
3213         assert_ne!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3214
3215         opts = reference.clone();
3216         opts.debugging_opts.pgo_use = Some(PathBuf::from("abc"));
3217         assert_ne!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3218
3219         opts = reference.clone();
3220         opts.cg.metadata = vec![String::from("A"), String::from("B")];
3221         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3222
3223         opts = reference.clone();
3224         opts.cg.debuginfo = Some(0xdeadbeef);
3225         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3226
3227         opts = reference.clone();
3228         opts.cg.debuginfo = Some(0xba5eba11);
3229         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3230
3231         opts = reference.clone();
3232         opts.cg.force_frame_pointers = Some(false);
3233         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3234
3235         opts = reference.clone();
3236         opts.cg.debug_assertions = Some(true);
3237         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3238
3239         opts = reference.clone();
3240         opts.cg.inline_threshold = Some(0xf007ba11);
3241         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3242
3243         opts = reference.clone();
3244         opts.cg.panic = Some(PanicStrategy::Abort);
3245         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3246
3247         opts = reference.clone();
3248         opts.cg.linker_plugin_lto = LinkerPluginLto::LinkerPluginAuto;
3249         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3250     }
3251
3252     #[test]
3253     fn test_debugging_options_tracking_hash() {
3254         let reference = Options::default();
3255         let mut opts = Options::default();
3256
3257         // Make sure the changing an [UNTRACKED] option leaves the hash unchanged
3258         opts.debugging_opts.verbose = true;
3259         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3260         opts.debugging_opts.time_passes = true;
3261         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3262         opts.debugging_opts.count_llvm_insns = true;
3263         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3264         opts.debugging_opts.time_llvm_passes = true;
3265         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3266         opts.debugging_opts.input_stats = true;
3267         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3268         opts.debugging_opts.codegen_stats = true;
3269         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3270         opts.debugging_opts.borrowck_stats = true;
3271         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3272         opts.debugging_opts.meta_stats = true;
3273         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3274         opts.debugging_opts.print_link_args = true;
3275         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3276         opts.debugging_opts.print_llvm_passes = true;
3277         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3278         opts.debugging_opts.ast_json = true;
3279         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3280         opts.debugging_opts.ast_json_noexpand = true;
3281         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3282         opts.debugging_opts.ls = true;
3283         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3284         opts.debugging_opts.save_analysis = true;
3285         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3286         opts.debugging_opts.flowgraph_print_loans = true;
3287         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3288         opts.debugging_opts.flowgraph_print_moves = true;
3289         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3290         opts.debugging_opts.flowgraph_print_assigns = true;
3291         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3292         opts.debugging_opts.flowgraph_print_all = true;
3293         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3294         opts.debugging_opts.print_region_graph = true;
3295         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3296         opts.debugging_opts.parse_only = true;
3297         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3298         opts.debugging_opts.incremental = Some(String::from("abc"));
3299         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3300         opts.debugging_opts.dump_dep_graph = true;
3301         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3302         opts.debugging_opts.query_dep_graph = true;
3303         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3304         opts.debugging_opts.no_analysis = true;
3305         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3306         opts.debugging_opts.unstable_options = true;
3307         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3308         opts.debugging_opts.trace_macros = true;
3309         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3310         opts.debugging_opts.keep_hygiene_data = true;
3311         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3312         opts.debugging_opts.keep_ast = true;
3313         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3314         opts.debugging_opts.print_mono_items = Some(String::from("abc"));
3315         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3316         opts.debugging_opts.dump_mir = Some(String::from("abc"));
3317         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3318         opts.debugging_opts.dump_mir_dir = String::from("abc");
3319         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3320         opts.debugging_opts.dump_mir_graphviz = true;
3321         assert_eq!(reference.dep_tracking_hash(), opts.dep_tracking_hash());
3322
3323         // Make sure changing a [TRACKED] option changes the hash
3324         opts = reference.clone();
3325         opts.debugging_opts.asm_comments = true;
3326         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3327
3328         opts = reference.clone();
3329         opts.debugging_opts.verify_llvm_ir = true;
3330         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3331
3332         opts = reference.clone();
3333         opts.debugging_opts.no_landing_pads = true;
3334         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3335
3336         opts = reference.clone();
3337         opts.debugging_opts.fewer_names = true;
3338         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3339
3340         opts = reference.clone();
3341         opts.debugging_opts.no_codegen = true;
3342         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3343
3344         opts = reference.clone();
3345         opts.debugging_opts.treat_err_as_bug = Some(1);
3346         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3347
3348         opts = reference.clone();
3349         opts.debugging_opts.report_delayed_bugs = true;
3350         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3351
3352         opts = reference.clone();
3353         opts.debugging_opts.continue_parse_after_error = true;
3354         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3355
3356         opts = reference.clone();
3357         opts.debugging_opts.extra_plugins = vec![String::from("plugin1"), String::from("plugin2")];
3358         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3359
3360         opts = reference.clone();
3361         opts.debugging_opts.force_overflow_checks = Some(true);
3362         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3363
3364         opts = reference.clone();
3365         opts.debugging_opts.show_span = Some(String::from("abc"));
3366         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3367
3368         opts = reference.clone();
3369         opts.debugging_opts.mir_opt_level = 3;
3370         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3371
3372         opts = reference.clone();
3373         opts.debugging_opts.relro_level = Some(RelroLevel::Full);
3374         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3375
3376         opts = reference.clone();
3377         opts.debugging_opts.merge_functions = Some(MergeFunctions::Disabled);
3378         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3379
3380         opts = reference.clone();
3381         opts.debugging_opts.allow_features = Some(vec![String::from("lang_items")]);
3382         assert!(reference.dep_tracking_hash() != opts.dep_tracking_hash());
3383     }
3384
3385     #[test]
3386     fn test_edition_parsing() {
3387         // test default edition
3388         let options = Options::default();
3389         assert!(options.edition == DEFAULT_EDITION);
3390
3391         let matches = optgroups()
3392             .parse(&["--edition=2018".to_string()])
3393             .unwrap();
3394         let (sessopts, _) = build_session_options_and_crate_config(&matches);
3395         assert!(sessopts.edition == Edition::Edition2018)
3396     }
3397 }