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