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