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