]> git.lizzy.rs Git - rust.git/blob - src/driver.rs
Auto merge of #6362 - nico-abram:unnecessary_cast_dot_float_literal, r=ebroto
[rust.git] / src / driver.rs
1 #![feature(rustc_private)]
2 #![feature(once_cell)]
3 #![cfg_attr(feature = "deny-warnings", deny(warnings))]
4 // warn on lints, that are included in `rust-lang/rust`s bootstrap
5 #![warn(rust_2018_idioms, unused_lifetimes)]
6 // warn on rustc internal lints
7 #![deny(rustc::internal)]
8
9 // FIXME: switch to something more ergonomic here, once available.
10 // (Currently there is no way to opt into sysroot crates without `extern crate`.)
11 extern crate rustc_data_structures;
12 extern crate rustc_driver;
13 extern crate rustc_errors;
14 extern crate rustc_interface;
15 extern crate rustc_middle;
16
17 use rustc_interface::interface;
18 use rustc_middle::ty::TyCtxt;
19 use rustc_tools_util::VersionInfo;
20
21 use std::borrow::Cow;
22 use std::env;
23 use std::lazy::SyncLazy;
24 use std::ops::Deref;
25 use std::panic;
26 use std::path::{Path, PathBuf};
27 use std::process::{exit, Command};
28
29 mod lintlist;
30
31 /// If a command-line option matches `find_arg`, then apply the predicate `pred` on its value. If
32 /// true, then return it. The parameter is assumed to be either `--arg=value` or `--arg value`.
33 fn arg_value<'a, T: Deref<Target = str>>(
34     args: &'a [T],
35     find_arg: &str,
36     pred: impl Fn(&str) -> bool,
37 ) -> Option<&'a str> {
38     let mut args = args.iter().map(Deref::deref);
39     while let Some(arg) = args.next() {
40         let mut arg = arg.splitn(2, '=');
41         if arg.next() != Some(find_arg) {
42             continue;
43         }
44
45         match arg.next().or_else(|| args.next()) {
46             Some(v) if pred(v) => return Some(v),
47             _ => {},
48         }
49     }
50     None
51 }
52
53 #[test]
54 fn test_arg_value() {
55     let args = &["--bar=bar", "--foobar", "123", "--foo"];
56
57     assert_eq!(arg_value(&[] as &[&str], "--foobar", |_| true), None);
58     assert_eq!(arg_value(args, "--bar", |_| false), None);
59     assert_eq!(arg_value(args, "--bar", |_| true), Some("bar"));
60     assert_eq!(arg_value(args, "--bar", |p| p == "bar"), Some("bar"));
61     assert_eq!(arg_value(args, "--bar", |p| p == "foo"), None);
62     assert_eq!(arg_value(args, "--foobar", |p| p == "foo"), None);
63     assert_eq!(arg_value(args, "--foobar", |p| p == "123"), Some("123"));
64     assert_eq!(arg_value(args, "--foo", |_| true), None);
65 }
66
67 struct DefaultCallbacks;
68 impl rustc_driver::Callbacks for DefaultCallbacks {}
69
70 struct ClippyCallbacks;
71 impl rustc_driver::Callbacks for ClippyCallbacks {
72     fn config(&mut self, config: &mut interface::Config) {
73         let previous = config.register_lints.take();
74         config.register_lints = Some(Box::new(move |sess, mut lint_store| {
75             // technically we're ~guaranteed that this is none but might as well call anything that
76             // is there already. Certainly it can't hurt.
77             if let Some(previous) = &previous {
78                 (previous)(sess, lint_store);
79             }
80
81             let conf = clippy_lints::read_conf(&[], &sess);
82             clippy_lints::register_plugins(&mut lint_store, &sess, &conf);
83             clippy_lints::register_pre_expansion_lints(&mut lint_store);
84             clippy_lints::register_renamed(&mut lint_store);
85         }));
86
87         // FIXME: #4825; This is required, because Clippy lints that are based on MIR have to be
88         // run on the unoptimized MIR. On the other hand this results in some false negatives. If
89         // MIR passes can be enabled / disabled separately, we should figure out, what passes to
90         // use for Clippy.
91         config.opts.debugging_opts.mir_opt_level = 0;
92     }
93 }
94
95 #[allow(clippy::find_map, clippy::filter_map)]
96 fn describe_lints() {
97     use lintlist::{Level, Lint, ALL_LINTS, LINT_LEVELS};
98     use rustc_data_structures::fx::FxHashSet;
99
100     println!(
101         "
102 Available lint options:
103     -W <foo>           Warn about <foo>
104     -A <foo>           Allow <foo>
105     -D <foo>           Deny <foo>
106     -F <foo>           Forbid <foo> (deny <foo> and all attempts to override)
107
108 "
109     );
110
111     let lint_level = |lint: &Lint| {
112         LINT_LEVELS
113             .iter()
114             .find(|level_mapping| level_mapping.0 == lint.group)
115             .map(|(_, level)| match level {
116                 Level::Allow => "allow",
117                 Level::Warn => "warn",
118                 Level::Deny => "deny",
119             })
120             .unwrap()
121     };
122
123     let mut lints: Vec<_> = ALL_LINTS.iter().collect();
124     // The sort doesn't case-fold but it's doubtful we care.
125     lints.sort_by_cached_key(|x: &&Lint| (lint_level(x), x.name));
126
127     let max_lint_name_len = lints
128         .iter()
129         .map(|lint| lint.name.len())
130         .map(|len| len + "clippy::".len())
131         .max()
132         .unwrap_or(0);
133
134     let padded = |x: &str| {
135         let mut s = " ".repeat(max_lint_name_len - x.chars().count());
136         s.push_str(x);
137         s
138     };
139
140     let scoped = |x: &str| format!("clippy::{}", x);
141
142     let lint_groups: FxHashSet<_> = lints.iter().map(|lint| lint.group).collect();
143
144     println!("Lint checks provided by clippy:\n");
145     println!("    {}  {:7.7}  meaning", padded("name"), "default");
146     println!("    {}  {:7.7}  -------", padded("----"), "-------");
147
148     let print_lints = |lints: &[&Lint]| {
149         for lint in lints {
150             let name = lint.name.replace("_", "-");
151             println!(
152                 "    {}  {:7.7}  {}",
153                 padded(&scoped(&name)),
154                 lint_level(lint),
155                 lint.desc
156             );
157         }
158         println!("\n");
159     };
160
161     print_lints(&lints);
162
163     let max_group_name_len = std::cmp::max(
164         "clippy::all".len(),
165         lint_groups
166             .iter()
167             .map(|group| group.len())
168             .map(|len| len + "clippy::".len())
169             .max()
170             .unwrap_or(0),
171     );
172
173     let padded_group = |x: &str| {
174         let mut s = " ".repeat(max_group_name_len - x.chars().count());
175         s.push_str(x);
176         s
177     };
178
179     println!("Lint groups provided by clippy:\n");
180     println!("    {}  sub-lints", padded_group("name"));
181     println!("    {}  ---------", padded_group("----"));
182     println!("    {}  the set of all clippy lints", padded_group("clippy::all"));
183
184     let print_lint_groups = || {
185         for group in lint_groups {
186             let name = group.to_lowercase().replace("_", "-");
187             let desc = lints
188                 .iter()
189                 .filter(|&lint| lint.group == group)
190                 .map(|lint| lint.name)
191                 .map(|name| name.replace("_", "-"))
192                 .collect::<Vec<String>>()
193                 .join(", ");
194             println!("    {}  {}", padded_group(&scoped(&name)), desc);
195         }
196         println!("\n");
197     };
198
199     print_lint_groups();
200 }
201
202 fn display_help() {
203     println!(
204         "\
205 Checks a package to catch common mistakes and improve your Rust code.
206
207 Usage:
208     cargo clippy [options] [--] [<opts>...]
209
210 Common options:
211     -h, --help               Print this message
212         --rustc              Pass all args to rustc
213     -V, --version            Print version info and exit
214
215 Other options are the same as `cargo check`.
216
217 To allow or deny a lint from the command line you can use `cargo clippy --`
218 with:
219
220     -W --warn OPT       Set lint warnings
221     -A --allow OPT      Set lint allowed
222     -D --deny OPT       Set lint denied
223     -F --forbid OPT     Set lint forbidden
224
225 You can use tool lints to allow or deny lints from your code, eg.:
226
227     #[allow(clippy::needless_lifetimes)]
228 "
229     );
230 }
231
232 const BUG_REPORT_URL: &str = "https://github.com/rust-lang/rust-clippy/issues/new";
233
234 static ICE_HOOK: SyncLazy<Box<dyn Fn(&panic::PanicInfo<'_>) + Sync + Send + 'static>> = SyncLazy::new(|| {
235     let hook = panic::take_hook();
236     panic::set_hook(Box::new(|info| report_clippy_ice(info, BUG_REPORT_URL)));
237     hook
238 });
239
240 fn report_clippy_ice(info: &panic::PanicInfo<'_>, bug_report_url: &str) {
241     // Invoke our ICE handler, which prints the actual panic message and optionally a backtrace
242     (*ICE_HOOK)(info);
243
244     // Separate the output with an empty line
245     eprintln!();
246
247     let emitter = Box::new(rustc_errors::emitter::EmitterWriter::stderr(
248         rustc_errors::ColorConfig::Auto,
249         None,
250         false,
251         false,
252         None,
253         false,
254     ));
255     let handler = rustc_errors::Handler::with_emitter(true, None, emitter);
256
257     // a .span_bug or .bug call has already printed what
258     // it wants to print.
259     if !info.payload().is::<rustc_errors::ExplicitBug>() {
260         let d = rustc_errors::Diagnostic::new(rustc_errors::Level::Bug, "unexpected panic");
261         handler.emit_diagnostic(&d);
262     }
263
264     let version_info = rustc_tools_util::get_version_info!();
265
266     let xs: Vec<Cow<'static, str>> = vec![
267         "the compiler unexpectedly panicked. this is a bug.".into(),
268         format!("we would appreciate a bug report: {}", bug_report_url).into(),
269         format!("Clippy version: {}", version_info).into(),
270     ];
271
272     for note in &xs {
273         handler.note_without_error(&note);
274     }
275
276     // If backtraces are enabled, also print the query stack
277     let backtrace = env::var_os("RUST_BACKTRACE").map_or(false, |x| &x != "0");
278
279     let num_frames = if backtrace { None } else { Some(2) };
280
281     TyCtxt::try_print_query_stack(&handler, num_frames);
282 }
283
284 fn toolchain_path(home: Option<String>, toolchain: Option<String>) -> Option<PathBuf> {
285     home.and_then(|home| {
286         toolchain.map(|toolchain| {
287             let mut path = PathBuf::from(home);
288             path.push("toolchains");
289             path.push(toolchain);
290             path
291         })
292     })
293 }
294
295 pub fn main() {
296     rustc_driver::init_rustc_env_logger();
297     SyncLazy::force(&ICE_HOOK);
298     exit(rustc_driver::catch_with_exit_code(move || {
299         let mut orig_args: Vec<String> = env::args().collect();
300
301         // Get the sysroot, looking from most specific to this invocation to the least:
302         // - command line
303         // - runtime environment
304         //    - SYSROOT
305         //    - RUSTUP_HOME, MULTIRUST_HOME, RUSTUP_TOOLCHAIN, MULTIRUST_TOOLCHAIN
306         // - sysroot from rustc in the path
307         // - compile-time environment
308         //    - SYSROOT
309         //    - RUSTUP_HOME, MULTIRUST_HOME, RUSTUP_TOOLCHAIN, MULTIRUST_TOOLCHAIN
310         let sys_root_arg = arg_value(&orig_args, "--sysroot", |_| true);
311         let have_sys_root_arg = sys_root_arg.is_some();
312         let sys_root = sys_root_arg
313             .map(PathBuf::from)
314             .or_else(|| std::env::var("SYSROOT").ok().map(PathBuf::from))
315             .or_else(|| {
316                 let home = std::env::var("RUSTUP_HOME")
317                     .or_else(|_| std::env::var("MULTIRUST_HOME"))
318                     .ok();
319                 let toolchain = std::env::var("RUSTUP_TOOLCHAIN")
320                     .or_else(|_| std::env::var("MULTIRUST_TOOLCHAIN"))
321                     .ok();
322                 toolchain_path(home, toolchain)
323             })
324             .or_else(|| {
325                 Command::new("rustc")
326                     .arg("--print")
327                     .arg("sysroot")
328                     .output()
329                     .ok()
330                     .and_then(|out| String::from_utf8(out.stdout).ok())
331                     .map(|s| PathBuf::from(s.trim()))
332             })
333             .or_else(|| option_env!("SYSROOT").map(PathBuf::from))
334             .or_else(|| {
335                 let home = option_env!("RUSTUP_HOME")
336                     .or(option_env!("MULTIRUST_HOME"))
337                     .map(ToString::to_string);
338                 let toolchain = option_env!("RUSTUP_TOOLCHAIN")
339                     .or(option_env!("MULTIRUST_TOOLCHAIN"))
340                     .map(ToString::to_string);
341                 toolchain_path(home, toolchain)
342             })
343             .map(|pb| pb.to_string_lossy().to_string())
344             .expect("need to specify SYSROOT env var during clippy compilation, or use rustup or multirust");
345
346         // make "clippy-driver --rustc" work like a subcommand that passes further args to "rustc"
347         // for example `clippy-driver --rustc --version` will print the rustc version that clippy-driver
348         // uses
349         if let Some(pos) = orig_args.iter().position(|arg| arg == "--rustc") {
350             orig_args.remove(pos);
351             orig_args[0] = "rustc".to_string();
352
353             // if we call "rustc", we need to pass --sysroot here as well
354             let mut args: Vec<String> = orig_args.clone();
355             if !have_sys_root_arg {
356                 args.extend(vec!["--sysroot".into(), sys_root]);
357             };
358
359             return rustc_driver::RunCompiler::new(&args, &mut DefaultCallbacks).run();
360         }
361
362         if orig_args.iter().any(|a| a == "--version" || a == "-V") {
363             let version_info = rustc_tools_util::get_version_info!();
364             println!("{}", version_info);
365             exit(0);
366         }
367
368         // Setting RUSTC_WRAPPER causes Cargo to pass 'rustc' as the first argument.
369         // We're invoking the compiler programmatically, so we ignore this/
370         let wrapper_mode = orig_args.get(1).map(Path::new).and_then(Path::file_stem) == Some("rustc".as_ref());
371
372         if wrapper_mode {
373             // we still want to be able to invoke it normally though
374             orig_args.remove(1);
375         }
376
377         if !wrapper_mode && (orig_args.iter().any(|a| a == "--help" || a == "-h") || orig_args.len() == 1) {
378             display_help();
379             exit(0);
380         }
381
382         let should_describe_lints = || {
383             let args: Vec<_> = env::args().collect();
384             args.windows(2)
385                 .any(|args| args[1] == "help" && matches!(args[0].as_str(), "-W" | "-A" | "-D" | "-F"))
386         };
387
388         if !wrapper_mode && should_describe_lints() {
389             describe_lints();
390             exit(0);
391         }
392
393         // this conditional check for the --sysroot flag is there so users can call
394         // `clippy_driver` directly
395         // without having to pass --sysroot or anything
396         let mut args: Vec<String> = orig_args.clone();
397         if !have_sys_root_arg {
398             args.extend(vec!["--sysroot".into(), sys_root]);
399         };
400
401         // this check ensures that dependencies are built but not linted and the final
402         // crate is linted but not built
403         let clippy_enabled = env::var("CLIPPY_TESTS").map_or(false, |val| val == "true")
404             || arg_value(&orig_args, "--cap-lints", |val| val == "allow").is_none();
405
406         if clippy_enabled {
407             args.extend(vec!["--cfg".into(), r#"feature="cargo-clippy""#.into()]);
408             if let Ok(extra_args) = env::var("CLIPPY_ARGS") {
409                 args.extend(extra_args.split("__CLIPPY_HACKERY__").filter_map(|s| {
410                     if s.is_empty() {
411                         None
412                     } else {
413                         Some(s.to_string())
414                     }
415                 }));
416             }
417         }
418         let mut clippy = ClippyCallbacks;
419         let mut default = DefaultCallbacks;
420         let callbacks: &mut (dyn rustc_driver::Callbacks + Send) =
421             if clippy_enabled { &mut clippy } else { &mut default };
422         rustc_driver::RunCompiler::new(&args, callbacks).run()
423     }))
424 }