]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/flags.rs
Auto merge of #106034 - matthiaskrgr:rollup-2zpql33, r=matthiaskrgr
[rust.git] / src / bootstrap / flags.rs
1 //! Command-line interface of the rustbuild build system.
2 //!
3 //! This module implements the command-line parsing of the build system which
4 //! has various flags to configure how it's run.
5
6 use std::path::PathBuf;
7
8 use getopts::Options;
9
10 use crate::builder::{Builder, Kind};
11 use crate::config::{Config, TargetSelection};
12 use crate::setup::Profile;
13 use crate::util::t;
14 use crate::{Build, DocTests};
15
16 #[derive(Copy, Clone)]
17 pub enum Color {
18     Always,
19     Never,
20     Auto,
21 }
22
23 impl Default for Color {
24     fn default() -> Self {
25         Self::Auto
26     }
27 }
28
29 impl std::str::FromStr for Color {
30     type Err = ();
31
32     fn from_str(s: &str) -> Result<Self, Self::Err> {
33         match s.to_lowercase().as_str() {
34             "always" => Ok(Self::Always),
35             "never" => Ok(Self::Never),
36             "auto" => Ok(Self::Auto),
37             _ => Err(()),
38         }
39     }
40 }
41
42 /// Deserialized version of all flags for this compile.
43 pub struct Flags {
44     pub verbose: usize, // number of -v args; each extra -v after the first is passed to Cargo
45     pub on_fail: Option<String>,
46     pub stage: Option<u32>,
47     pub keep_stage: Vec<u32>,
48     pub keep_stage_std: Vec<u32>,
49
50     pub host: Option<Vec<TargetSelection>>,
51     pub target: Option<Vec<TargetSelection>>,
52     pub config: Option<PathBuf>,
53     pub build_dir: Option<PathBuf>,
54     pub jobs: Option<u32>,
55     pub cmd: Subcommand,
56     pub incremental: bool,
57     pub exclude: Vec<PathBuf>,
58     pub include_default_paths: bool,
59     pub rustc_error_format: Option<String>,
60     pub json_output: bool,
61     pub dry_run: bool,
62     pub color: Color,
63
64     // This overrides the deny-warnings configuration option,
65     // which passes -Dwarnings to the compiler invocations.
66     //
67     // true => deny, false => warn
68     pub deny_warnings: Option<bool>,
69
70     pub llvm_skip_rebuild: Option<bool>,
71
72     pub rust_profile_use: Option<String>,
73     pub rust_profile_generate: Option<String>,
74
75     pub llvm_profile_use: Option<String>,
76     // LLVM doesn't support a custom location for generating profile
77     // information.
78     //
79     // llvm_out/build/profiles/ is the location this writes to.
80     pub llvm_profile_generate: bool,
81     pub llvm_bolt_profile_generate: bool,
82     pub llvm_bolt_profile_use: Option<String>,
83 }
84
85 #[derive(Debug)]
86 #[cfg_attr(test, derive(Clone))]
87 pub enum Subcommand {
88     Build {
89         paths: Vec<PathBuf>,
90     },
91     Check {
92         paths: Vec<PathBuf>,
93     },
94     Clippy {
95         fix: bool,
96         paths: Vec<PathBuf>,
97         clippy_lint_allow: Vec<String>,
98         clippy_lint_deny: Vec<String>,
99         clippy_lint_warn: Vec<String>,
100         clippy_lint_forbid: Vec<String>,
101     },
102     Fix {
103         paths: Vec<PathBuf>,
104     },
105     Format {
106         paths: Vec<PathBuf>,
107         check: bool,
108     },
109     Doc {
110         paths: Vec<PathBuf>,
111         open: bool,
112         json: bool,
113     },
114     Test {
115         paths: Vec<PathBuf>,
116         /// Whether to automatically update stderr/stdout files
117         bless: bool,
118         force_rerun: bool,
119         compare_mode: Option<String>,
120         pass: Option<String>,
121         run: Option<String>,
122         test_args: Vec<String>,
123         rustc_args: Vec<String>,
124         fail_fast: bool,
125         doc_tests: DocTests,
126         rustfix_coverage: bool,
127     },
128     Bench {
129         paths: Vec<PathBuf>,
130         test_args: Vec<String>,
131     },
132     Clean {
133         all: bool,
134     },
135     Dist {
136         paths: Vec<PathBuf>,
137     },
138     Install {
139         paths: Vec<PathBuf>,
140     },
141     Run {
142         paths: Vec<PathBuf>,
143         args: Vec<String>,
144     },
145     Setup {
146         profile: Option<PathBuf>,
147     },
148 }
149
150 impl Default for Subcommand {
151     fn default() -> Subcommand {
152         Subcommand::Build { paths: vec![PathBuf::from("nowhere")] }
153     }
154 }
155
156 impl Flags {
157     pub fn parse(args: &[String]) -> Flags {
158         let mut subcommand_help = String::from(
159             "\
160 Usage: x.py <subcommand> [options] [<paths>...]
161
162 Subcommands:
163     build, b    Compile either the compiler or libraries
164     check, c    Compile either the compiler or libraries, using cargo check
165     clippy      Run clippy (uses rustup/cargo-installed clippy binary)
166     fix         Run cargo fix
167     fmt         Run rustfmt
168     test, t     Build and run some test suites
169     bench       Build and run some benchmarks
170     doc, d      Build documentation
171     clean       Clean out build directories
172     dist        Build distribution artifacts
173     install     Install distribution artifacts
174     run, r      Run tools contained in this repository
175     setup       Create a config.toml (making it easier to use `x.py` itself)
176
177 To learn more about a subcommand, run `./x.py <subcommand> -h`",
178         );
179
180         let mut opts = Options::new();
181         // Options common to all subcommands
182         opts.optflagmulti("v", "verbose", "use verbose output (-vv for very verbose)");
183         opts.optflag("i", "incremental", "use incremental compilation");
184         opts.optopt("", "config", "TOML configuration file for build", "FILE");
185         opts.optopt(
186             "",
187             "build-dir",
188             "Build directory, overrides `build.build-dir` in `config.toml`",
189             "DIR",
190         );
191         opts.optopt("", "build", "build target of the stage0 compiler", "BUILD");
192         opts.optmulti("", "host", "host targets to build", "HOST");
193         opts.optmulti("", "target", "target targets to build", "TARGET");
194         opts.optmulti("", "exclude", "build paths to exclude", "PATH");
195         opts.optflag(
196             "",
197             "include-default-paths",
198             "include default paths in addition to the provided ones",
199         );
200         opts.optopt("", "on-fail", "command to run on failure", "CMD");
201         opts.optflag("", "dry-run", "dry run; don't build anything");
202         opts.optopt(
203             "",
204             "stage",
205             "stage to build (indicates compiler to use/test, e.g., stage 0 uses the \
206              bootstrap compiler, stage 1 the stage 0 rustc artifacts, etc.)",
207             "N",
208         );
209         opts.optmulti(
210             "",
211             "keep-stage",
212             "stage(s) to keep without recompiling \
213             (pass multiple times to keep e.g., both stages 0 and 1)",
214             "N",
215         );
216         opts.optmulti(
217             "",
218             "keep-stage-std",
219             "stage(s) of the standard library to keep without recompiling \
220             (pass multiple times to keep e.g., both stages 0 and 1)",
221             "N",
222         );
223         opts.optopt("", "src", "path to the root of the rust checkout", "DIR");
224         let j_msg = format!(
225             "number of jobs to run in parallel; \
226              defaults to {} (this host's logical CPU count)",
227             std::thread::available_parallelism().map_or(1, std::num::NonZeroUsize::get)
228         );
229         opts.optopt("j", "jobs", &j_msg, "JOBS");
230         opts.optflag("h", "help", "print this help message");
231         opts.optopt(
232             "",
233             "warnings",
234             "if value is deny, will deny warnings, otherwise use default",
235             "VALUE",
236         );
237         opts.optopt("", "error-format", "rustc error format", "FORMAT");
238         opts.optflag("", "json-output", "use message-format=json");
239         opts.optopt("", "color", "whether to use color in cargo and rustc output", "STYLE");
240         opts.optopt(
241             "",
242             "llvm-skip-rebuild",
243             "whether rebuilding llvm should be skipped \
244              a VALUE of TRUE indicates that llvm will not be rebuilt \
245              VALUE overrides the skip-rebuild option in config.toml.",
246             "VALUE",
247         );
248         opts.optopt(
249             "",
250             "rust-profile-generate",
251             "generate PGO profile with rustc build",
252             "PROFILE",
253         );
254         opts.optopt("", "rust-profile-use", "use PGO profile for rustc build", "PROFILE");
255         opts.optflag("", "llvm-profile-generate", "generate PGO profile with llvm built for rustc");
256         opts.optopt("", "llvm-profile-use", "use PGO profile for llvm build", "PROFILE");
257         opts.optmulti("A", "", "allow certain clippy lints", "OPT");
258         opts.optmulti("D", "", "deny certain clippy lints", "OPT");
259         opts.optmulti("W", "", "warn about certain clippy lints", "OPT");
260         opts.optmulti("F", "", "forbid certain clippy lints", "OPT");
261         opts.optflag("", "llvm-bolt-profile-generate", "generate BOLT profile for LLVM build");
262         opts.optopt("", "llvm-bolt-profile-use", "use BOLT profile for LLVM build", "PROFILE");
263
264         // We can't use getopt to parse the options until we have completed specifying which
265         // options are valid, but under the current implementation, some options are conditional on
266         // the subcommand. Therefore we must manually identify the subcommand first, so that we can
267         // complete the definition of the options.  Then we can use the getopt::Matches object from
268         // there on out.
269         let subcommand = match args.iter().find_map(|s| Kind::parse(&s)) {
270             Some(s) => s,
271             None => {
272                 // No or an invalid subcommand -- show the general usage and subcommand help
273                 // An exit code will be 0 when no subcommand is given, and 1 in case of an invalid
274                 // subcommand.
275                 println!("{}\n", subcommand_help);
276                 let exit_code = if args.is_empty() { 0 } else { 1 };
277                 crate::detail_exit(exit_code);
278             }
279         };
280
281         // Some subcommands get extra options
282         match subcommand {
283             Kind::Test => {
284                 opts.optflag("", "no-fail-fast", "Run all tests regardless of failure");
285                 opts.optmulti("", "skip", "skips tests matching SUBSTRING, if supported by test tool. May be passed multiple times", "SUBSTRING");
286                 opts.optmulti(
287                     "",
288                     "test-args",
289                     "extra arguments to be passed for the test tool being used \
290                         (e.g. libtest, compiletest or rustdoc)",
291                     "ARGS",
292                 );
293                 opts.optmulti(
294                     "",
295                     "rustc-args",
296                     "extra options to pass the compiler when running tests",
297                     "ARGS",
298                 );
299                 opts.optflag("", "no-doc", "do not run doc tests");
300                 opts.optflag("", "doc", "only run doc tests");
301                 opts.optflag("", "bless", "update all stderr/stdout files of failing ui tests");
302                 opts.optflag("", "force-rerun", "rerun tests even if the inputs are unchanged");
303                 opts.optopt(
304                     "",
305                     "compare-mode",
306                     "mode describing what file the actual ui output will be compared to",
307                     "COMPARE MODE",
308                 );
309                 opts.optopt(
310                     "",
311                     "pass",
312                     "force {check,build,run}-pass tests to this mode.",
313                     "check | build | run",
314                 );
315                 opts.optopt("", "run", "whether to execute run-* tests", "auto | always | never");
316                 opts.optflag(
317                     "",
318                     "rustfix-coverage",
319                     "enable this to generate a Rustfix coverage file, which is saved in \
320                         `/<build_base>/rustfix_missing_coverage.txt`",
321                 );
322             }
323             Kind::Check => {
324                 opts.optflag("", "all-targets", "Check all targets");
325             }
326             Kind::Bench => {
327                 opts.optmulti("", "test-args", "extra arguments", "ARGS");
328             }
329             Kind::Clippy => {
330                 opts.optflag("", "fix", "automatically apply lint suggestions");
331             }
332             Kind::Doc => {
333                 opts.optflag("", "open", "open the docs in a browser");
334                 opts.optflag(
335                     "",
336                     "json",
337                     "render the documentation in JSON format in addition to the usual HTML format",
338                 );
339             }
340             Kind::Clean => {
341                 opts.optflag("", "all", "clean all build artifacts");
342             }
343             Kind::Format => {
344                 opts.optflag("", "check", "check formatting instead of applying.");
345             }
346             Kind::Run => {
347                 opts.optmulti("", "args", "arguments for the tool", "ARGS");
348             }
349             _ => {}
350         };
351
352         // fn usage()
353         let usage = |exit_code: i32, opts: &Options, verbose: bool, subcommand_help: &str| -> ! {
354             let config = Config::parse(&["setup".to_string()]);
355             let build = Build::new(config);
356             let paths = Builder::get_help(&build, subcommand);
357
358             println!("{}", opts.usage(subcommand_help));
359             if let Some(s) = paths {
360                 if verbose {
361                     println!("{}", s);
362                 } else {
363                     println!(
364                         "Run `./x.py {} -h -v` to see a list of available paths.",
365                         subcommand.as_str()
366                     );
367                 }
368             } else if verbose {
369                 panic!("No paths available for subcommand `{}`", subcommand.as_str());
370             }
371             crate::detail_exit(exit_code);
372         };
373
374         // Done specifying what options are possible, so do the getopts parsing
375         let matches = opts.parse(args).unwrap_or_else(|e| {
376             // Invalid argument/option format
377             println!("\n{}\n", e);
378             usage(1, &opts, false, &subcommand_help);
379         });
380
381         // Extra sanity check to make sure we didn't hit this crazy corner case:
382         //
383         //     ./x.py --frobulate clean build
384         //            ^-- option  ^     ^- actual subcommand
385         //                        \_ arg to option could be mistaken as subcommand
386         let mut pass_sanity_check = true;
387         match matches.free.get(0).and_then(|s| Kind::parse(&s)) {
388             Some(check_subcommand) => {
389                 if check_subcommand != subcommand {
390                     pass_sanity_check = false;
391                 }
392             }
393             None => {
394                 pass_sanity_check = false;
395             }
396         }
397         if !pass_sanity_check {
398             eprintln!("{}\n", subcommand_help);
399             eprintln!(
400                 "Sorry, I couldn't figure out which subcommand you were trying to specify.\n\
401                  You may need to move some options to after the subcommand.\n"
402             );
403             crate::detail_exit(1);
404         }
405         // Extra help text for some commands
406         match subcommand {
407             Kind::Build => {
408                 subcommand_help.push_str(
409                     "\n
410 Arguments:
411     This subcommand accepts a number of paths to directories to the crates
412     and/or artifacts to compile. For example, for a quick build of a usable
413     compiler:
414
415         ./x.py build --stage 1 library/std
416
417     This will build a compiler and standard library from the local source code.
418     Once this is done, build/$ARCH/stage1 contains a usable compiler.
419
420     If no arguments are passed then the default artifacts for that stage are
421     compiled. For example:
422
423         ./x.py build --stage 0
424         ./x.py build ",
425                 );
426             }
427             Kind::Check => {
428                 subcommand_help.push_str(
429                     "\n
430 Arguments:
431     This subcommand accepts a number of paths to directories to the crates
432     and/or artifacts to compile. For example:
433
434         ./x.py check library/std
435
436     If no arguments are passed then many artifacts are checked.",
437                 );
438             }
439             Kind::Clippy => {
440                 subcommand_help.push_str(
441                     "\n
442 Arguments:
443     This subcommand accepts a number of paths to directories to the crates
444     and/or artifacts to run clippy against. For example:
445
446         ./x.py clippy library/core
447         ./x.py clippy library/core library/proc_macro",
448                 );
449             }
450             Kind::Fix => {
451                 subcommand_help.push_str(
452                     "\n
453 Arguments:
454     This subcommand accepts a number of paths to directories to the crates
455     and/or artifacts to run `cargo fix` against. For example:
456
457         ./x.py fix library/core
458         ./x.py fix library/core library/proc_macro",
459                 );
460             }
461             Kind::Format => {
462                 subcommand_help.push_str(
463                     "\n
464 Arguments:
465     This subcommand optionally accepts a `--check` flag which succeeds if formatting is correct and
466     fails if it is not. For example:
467
468         ./x.py fmt
469         ./x.py fmt --check",
470                 );
471             }
472             Kind::Test => {
473                 subcommand_help.push_str(
474                     "\n
475 Arguments:
476     This subcommand accepts a number of paths to test directories that
477     should be compiled and run. For example:
478
479         ./x.py test src/test/ui
480         ./x.py test library/std --test-args hash_map
481         ./x.py test library/std --stage 0 --no-doc
482         ./x.py test src/test/ui --bless
483         ./x.py test src/test/ui --compare-mode chalk
484
485     Note that `test src/test/* --stage N` does NOT depend on `build compiler/rustc --stage N`;
486     just like `build library/std --stage N` it tests the compiler produced by the previous
487     stage.
488
489     Execute tool tests with a tool name argument:
490
491         ./x.py test tidy
492
493     If no arguments are passed then the complete artifacts for that stage are
494     compiled and tested.
495
496         ./x.py test
497         ./x.py test --stage 1",
498                 );
499             }
500             Kind::Doc => {
501                 subcommand_help.push_str(
502                     "\n
503 Arguments:
504     This subcommand accepts a number of paths to directories of documentation
505     to build. For example:
506
507         ./x.py doc src/doc/book
508         ./x.py doc src/doc/nomicon
509         ./x.py doc src/doc/book library/std
510         ./x.py doc library/std --json
511         ./x.py doc library/std --open
512
513     If no arguments are passed then everything is documented:
514
515         ./x.py doc
516         ./x.py doc --stage 1",
517                 );
518             }
519             Kind::Run => {
520                 subcommand_help.push_str(
521                     "\n
522 Arguments:
523     This subcommand accepts a number of paths to tools to build and run. For
524     example:
525
526         ./x.py run src/tools/expand-yaml-anchors
527
528     At least a tool needs to be called.",
529                 );
530             }
531             Kind::Setup => {
532                 subcommand_help.push_str(&format!(
533                     "\n
534 x.py setup creates a `config.toml` which changes the defaults for x.py itself.
535
536 Arguments:
537     This subcommand accepts a 'profile' to use for builds. For example:
538
539         ./x.py setup library
540
541     The profile is optional and you will be prompted interactively if it is not given.
542     The following profiles are available:
543
544 {}",
545                     Profile::all_for_help("        ").trim_end()
546                 ));
547             }
548             Kind::Bench | Kind::Clean | Kind::Dist | Kind::Install => {}
549         };
550         // Get any optional paths which occur after the subcommand
551         let mut paths = matches.free[1..].iter().map(|p| p.into()).collect::<Vec<PathBuf>>();
552
553         let verbose = matches.opt_present("verbose");
554
555         // User passed in -h/--help?
556         if matches.opt_present("help") {
557             usage(0, &opts, verbose, &subcommand_help);
558         }
559
560         let cmd = match subcommand {
561             Kind::Build => Subcommand::Build { paths },
562             Kind::Check => {
563                 if matches.opt_present("all-targets") {
564                     println!(
565                         "Warning: --all-targets is now on by default and does not need to be passed explicitly."
566                     );
567                 }
568                 Subcommand::Check { paths }
569             }
570             Kind::Clippy => Subcommand::Clippy {
571                 paths,
572                 fix: matches.opt_present("fix"),
573                 clippy_lint_allow: matches.opt_strs("A"),
574                 clippy_lint_warn: matches.opt_strs("W"),
575                 clippy_lint_deny: matches.opt_strs("D"),
576                 clippy_lint_forbid: matches.opt_strs("F"),
577             },
578             Kind::Fix => Subcommand::Fix { paths },
579             Kind::Test => Subcommand::Test {
580                 paths,
581                 bless: matches.opt_present("bless"),
582                 force_rerun: matches.opt_present("force-rerun"),
583                 compare_mode: matches.opt_str("compare-mode"),
584                 pass: matches.opt_str("pass"),
585                 run: matches.opt_str("run"),
586                 test_args: matches.opt_strs("test-args"),
587                 rustc_args: matches.opt_strs("rustc-args"),
588                 fail_fast: !matches.opt_present("no-fail-fast"),
589                 rustfix_coverage: matches.opt_present("rustfix-coverage"),
590                 doc_tests: if matches.opt_present("doc") {
591                     DocTests::Only
592                 } else if matches.opt_present("no-doc") {
593                     DocTests::No
594                 } else {
595                     DocTests::Yes
596                 },
597             },
598             Kind::Bench => Subcommand::Bench { paths, test_args: matches.opt_strs("test-args") },
599             Kind::Doc => Subcommand::Doc {
600                 paths,
601                 open: matches.opt_present("open"),
602                 json: matches.opt_present("json"),
603             },
604             Kind::Clean => {
605                 if !paths.is_empty() {
606                     println!("\nclean does not take a path argument\n");
607                     usage(1, &opts, verbose, &subcommand_help);
608                 }
609
610                 Subcommand::Clean { all: matches.opt_present("all") }
611             }
612             Kind::Format => Subcommand::Format { check: matches.opt_present("check"), paths },
613             Kind::Dist => Subcommand::Dist { paths },
614             Kind::Install => Subcommand::Install { paths },
615             Kind::Run => {
616                 if paths.is_empty() {
617                     println!("\nrun requires at least a path!\n");
618                     usage(1, &opts, verbose, &subcommand_help);
619                 }
620                 Subcommand::Run { paths, args: matches.opt_strs("args") }
621             }
622             Kind::Setup => {
623                 let profile = if paths.len() > 1 {
624                     eprintln!("\nerror: At most one profile can be passed to setup\n");
625                     usage(1, &opts, verbose, &subcommand_help)
626                 } else if let Some(path) = paths.pop() {
627                     let profile_string = t!(path.into_os_string().into_string().map_err(
628                         |path| format!("{} is not a valid UTF8 string", path.to_string_lossy())
629                     ));
630
631                     let profile = profile_string.parse().unwrap_or_else(|err| {
632                         eprintln!("error: {}", err);
633                         eprintln!("help: the available profiles are:");
634                         eprint!("{}", Profile::all_for_help("- "));
635                         crate::detail_exit(1);
636                     });
637                     Some(profile)
638                 } else {
639                     None
640                 };
641                 Subcommand::Setup { profile }
642             }
643         };
644
645         Flags {
646             verbose: matches.opt_count("verbose"),
647             stage: matches.opt_str("stage").map(|j| j.parse().expect("`stage` should be a number")),
648             dry_run: matches.opt_present("dry-run"),
649             on_fail: matches.opt_str("on-fail"),
650             rustc_error_format: matches.opt_str("error-format"),
651             json_output: matches.opt_present("json-output"),
652             keep_stage: matches
653                 .opt_strs("keep-stage")
654                 .into_iter()
655                 .map(|j| j.parse().expect("`keep-stage` should be a number"))
656                 .collect(),
657             keep_stage_std: matches
658                 .opt_strs("keep-stage-std")
659                 .into_iter()
660                 .map(|j| j.parse().expect("`keep-stage-std` should be a number"))
661                 .collect(),
662             host: if matches.opt_present("host") {
663                 Some(
664                     split(&matches.opt_strs("host"))
665                         .into_iter()
666                         .map(|x| TargetSelection::from_user(&x))
667                         .collect::<Vec<_>>(),
668                 )
669             } else {
670                 None
671             },
672             target: if matches.opt_present("target") {
673                 Some(
674                     split(&matches.opt_strs("target"))
675                         .into_iter()
676                         .map(|x| TargetSelection::from_user(&x))
677                         .collect::<Vec<_>>(),
678                 )
679             } else {
680                 None
681             },
682             config: matches.opt_str("config").map(PathBuf::from),
683             build_dir: matches.opt_str("build-dir").map(PathBuf::from),
684             jobs: matches.opt_str("jobs").map(|j| j.parse().expect("`jobs` should be a number")),
685             cmd,
686             incremental: matches.opt_present("incremental"),
687             exclude: split(&matches.opt_strs("exclude"))
688                 .into_iter()
689                 .map(|p| p.into())
690                 .collect::<Vec<_>>(),
691             include_default_paths: matches.opt_present("include-default-paths"),
692             deny_warnings: parse_deny_warnings(&matches),
693             llvm_skip_rebuild: matches.opt_str("llvm-skip-rebuild").map(|s| s.to_lowercase()).map(
694                 |s| s.parse::<bool>().expect("`llvm-skip-rebuild` should be either true or false"),
695             ),
696             color: matches
697                 .opt_get_default("color", Color::Auto)
698                 .expect("`color` should be `always`, `never`, or `auto`"),
699             rust_profile_use: matches.opt_str("rust-profile-use"),
700             rust_profile_generate: matches.opt_str("rust-profile-generate"),
701             llvm_profile_use: matches.opt_str("llvm-profile-use"),
702             llvm_profile_generate: matches.opt_present("llvm-profile-generate"),
703             llvm_bolt_profile_generate: matches.opt_present("llvm-bolt-profile-generate"),
704             llvm_bolt_profile_use: matches.opt_str("llvm-bolt-profile-use"),
705         }
706     }
707 }
708
709 impl Subcommand {
710     pub fn kind(&self) -> Kind {
711         match self {
712             Subcommand::Bench { .. } => Kind::Bench,
713             Subcommand::Build { .. } => Kind::Build,
714             Subcommand::Check { .. } => Kind::Check,
715             Subcommand::Clippy { .. } => Kind::Clippy,
716             Subcommand::Doc { .. } => Kind::Doc,
717             Subcommand::Fix { .. } => Kind::Fix,
718             Subcommand::Format { .. } => Kind::Format,
719             Subcommand::Test { .. } => Kind::Test,
720             Subcommand::Clean { .. } => Kind::Clean,
721             Subcommand::Dist { .. } => Kind::Dist,
722             Subcommand::Install { .. } => Kind::Install,
723             Subcommand::Run { .. } => Kind::Run,
724             Subcommand::Setup { .. } => Kind::Setup,
725         }
726     }
727
728     pub fn test_args(&self) -> Vec<&str> {
729         match *self {
730             Subcommand::Test { ref test_args, .. } | Subcommand::Bench { ref test_args, .. } => {
731                 test_args.iter().flat_map(|s| s.split_whitespace()).collect()
732             }
733             _ => vec![],
734         }
735     }
736
737     pub fn rustc_args(&self) -> Vec<&str> {
738         match *self {
739             Subcommand::Test { ref rustc_args, .. } => {
740                 rustc_args.iter().flat_map(|s| s.split_whitespace()).collect()
741             }
742             _ => vec![],
743         }
744     }
745
746     pub fn args(&self) -> Vec<&str> {
747         match *self {
748             Subcommand::Run { ref args, .. } => {
749                 args.iter().flat_map(|s| s.split_whitespace()).collect()
750             }
751             _ => vec![],
752         }
753     }
754
755     pub fn fail_fast(&self) -> bool {
756         match *self {
757             Subcommand::Test { fail_fast, .. } => fail_fast,
758             _ => false,
759         }
760     }
761
762     pub fn doc_tests(&self) -> DocTests {
763         match *self {
764             Subcommand::Test { doc_tests, .. } => doc_tests,
765             _ => DocTests::Yes,
766         }
767     }
768
769     pub fn bless(&self) -> bool {
770         match *self {
771             Subcommand::Test { bless, .. } => bless,
772             _ => false,
773         }
774     }
775
776     pub fn force_rerun(&self) -> bool {
777         match *self {
778             Subcommand::Test { force_rerun, .. } => force_rerun,
779             _ => false,
780         }
781     }
782
783     pub fn rustfix_coverage(&self) -> bool {
784         match *self {
785             Subcommand::Test { rustfix_coverage, .. } => rustfix_coverage,
786             _ => false,
787         }
788     }
789
790     pub fn compare_mode(&self) -> Option<&str> {
791         match *self {
792             Subcommand::Test { ref compare_mode, .. } => compare_mode.as_ref().map(|s| &s[..]),
793             _ => None,
794         }
795     }
796
797     pub fn pass(&self) -> Option<&str> {
798         match *self {
799             Subcommand::Test { ref pass, .. } => pass.as_ref().map(|s| &s[..]),
800             _ => None,
801         }
802     }
803
804     pub fn run(&self) -> Option<&str> {
805         match *self {
806             Subcommand::Test { ref run, .. } => run.as_ref().map(|s| &s[..]),
807             _ => None,
808         }
809     }
810
811     pub fn open(&self) -> bool {
812         match *self {
813             Subcommand::Doc { open, .. } => open,
814             _ => false,
815         }
816     }
817
818     pub fn json(&self) -> bool {
819         match *self {
820             Subcommand::Doc { json, .. } => json,
821             _ => false,
822         }
823     }
824 }
825
826 fn split(s: &[String]) -> Vec<String> {
827     s.iter().flat_map(|s| s.split(',')).filter(|s| !s.is_empty()).map(|s| s.to_string()).collect()
828 }
829
830 fn parse_deny_warnings(matches: &getopts::Matches) -> Option<bool> {
831     match matches.opt_str("warnings").as_deref() {
832         Some("deny") => Some(true),
833         Some("warn") => Some(false),
834         Some(value) => {
835             eprintln!(r#"invalid value for --warnings: {:?}, expected "warn" or "deny""#, value,);
836             crate::detail_exit(1);
837         }
838         None => None,
839     }
840 }