]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_lint_defs/src/lib.rs
Add migration lint for reserved prefixes.
[rust.git] / compiler / rustc_lint_defs / src / lib.rs
1 #[macro_use]
2 extern crate rustc_macros;
3
4 pub use self::Level::*;
5 use rustc_ast::node_id::{NodeId, NodeMap};
6 use rustc_data_structures::stable_hasher::{HashStable, StableHasher, ToStableHashKey};
7 use rustc_serialize::json::Json;
8 use rustc_span::edition::Edition;
9 use rustc_span::{sym, symbol::Ident, MultiSpan, Span, Symbol};
10 use rustc_target::spec::abi::Abi;
11
12 pub mod builtin;
13
14 #[macro_export]
15 macro_rules! pluralize {
16     ($x:expr) => {
17         if $x != 1 { "s" } else { "" }
18     };
19 }
20
21 /// Indicates the confidence in the correctness of a suggestion.
22 ///
23 /// All suggestions are marked with an `Applicability`. Tools use the applicability of a suggestion
24 /// to determine whether it should be automatically applied or if the user should be consulted
25 /// before applying the suggestion.
26 #[derive(Copy, Clone, Debug, PartialEq, Hash, Encodable, Decodable)]
27 pub enum Applicability {
28     /// The suggestion is definitely what the user intended, or maintains the exact meaning of the code.
29     /// This suggestion should be automatically applied.
30     ///
31     /// In case of multiple `MachineApplicable` suggestions (whether as part of
32     /// the same `multipart_suggestion` or not), all of them should be
33     /// automatically applied.
34     MachineApplicable,
35
36     /// The suggestion may be what the user intended, but it is uncertain. The suggestion should
37     /// result in valid Rust code if it is applied.
38     MaybeIncorrect,
39
40     /// The suggestion contains placeholders like `(...)` or `{ /* fields */ }`. The suggestion
41     /// cannot be applied automatically because it will not result in valid Rust code. The user
42     /// will need to fill in the placeholders.
43     HasPlaceholders,
44
45     /// The applicability of the suggestion is unknown.
46     Unspecified,
47 }
48
49 /// Setting for how to handle a lint.
50 #[derive(Clone, Copy, PartialEq, PartialOrd, Eq, Ord, Debug, Hash)]
51 pub enum Level {
52     Allow,
53     Warn,
54     Deny,
55     Forbid,
56 }
57
58 rustc_data_structures::impl_stable_hash_via_hash!(Level);
59
60 impl Level {
61     /// Converts a level to a lower-case string.
62     pub fn as_str(self) -> &'static str {
63         match self {
64             Level::Allow => "allow",
65             Level::Warn => "warn",
66             Level::Deny => "deny",
67             Level::Forbid => "forbid",
68         }
69     }
70
71     /// Converts a lower-case string to a level.
72     pub fn from_str(x: &str) -> Option<Level> {
73         match x {
74             "allow" => Some(Level::Allow),
75             "warn" => Some(Level::Warn),
76             "deny" => Some(Level::Deny),
77             "forbid" => Some(Level::Forbid),
78             _ => None,
79         }
80     }
81
82     /// Converts a symbol to a level.
83     pub fn from_symbol(x: Symbol) -> Option<Level> {
84         match x {
85             sym::allow => Some(Level::Allow),
86             sym::warn => Some(Level::Warn),
87             sym::deny => Some(Level::Deny),
88             sym::forbid => Some(Level::Forbid),
89             _ => None,
90         }
91     }
92 }
93
94 /// Specification of a single lint.
95 #[derive(Copy, Clone, Debug)]
96 pub struct Lint {
97     /// A string identifier for the lint.
98     ///
99     /// This identifies the lint in attributes and in command-line arguments.
100     /// In those contexts it is always lowercase, but this field is compared
101     /// in a way which is case-insensitive for ASCII characters. This allows
102     /// `declare_lint!()` invocations to follow the convention of upper-case
103     /// statics without repeating the name.
104     ///
105     /// The name is written with underscores, e.g., "unused_imports".
106     /// On the command line, underscores become dashes.
107     ///
108     /// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html#lint-naming>
109     /// for naming guidelines.
110     pub name: &'static str,
111
112     /// Default level for the lint.
113     ///
114     /// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html#diagnostic-levels>
115     /// for guidelines on choosing a default level.
116     pub default_level: Level,
117
118     /// Description of the lint or the issue it detects.
119     ///
120     /// e.g., "imports that are never used"
121     pub desc: &'static str,
122
123     /// Starting at the given edition, default to the given lint level. If this is `None`, then use
124     /// `default_level`.
125     pub edition_lint_opts: Option<(Edition, Level)>,
126
127     /// `true` if this lint is reported even inside expansions of external macros.
128     pub report_in_external_macro: bool,
129
130     pub future_incompatible: Option<FutureIncompatibleInfo>,
131
132     pub is_plugin: bool,
133
134     /// `Some` if this lint is feature gated, otherwise `None`.
135     pub feature_gate: Option<Symbol>,
136
137     pub crate_level_only: bool,
138 }
139
140 /// Extra information for a future incompatibility lint.
141 #[derive(Copy, Clone, Debug)]
142 pub struct FutureIncompatibleInfo {
143     /// e.g., a URL for an issue/PR/RFC or error code
144     pub reference: &'static str,
145     /// The reason for the lint used by diagnostics to provide
146     /// the right help message
147     pub reason: FutureIncompatibilityReason,
148     /// Information about a future breakage, which will
149     /// be emitted in JSON messages to be displayed by Cargo
150     /// for upstream deps
151     pub future_breakage: Option<FutureBreakage>,
152 }
153
154 /// The reason for future incompatibility
155 #[derive(Copy, Clone, Debug)]
156 pub enum FutureIncompatibilityReason {
157     /// This will be an error in a future release
158     /// for all editions
159     FutureReleaseError,
160     /// Previously accepted code that will become an
161     /// error in the provided edition
162     EditionError(Edition),
163     /// Code that changes meaning in some way in
164     /// the provided edition
165     EditionSemanticsChange(Edition),
166 }
167
168 impl FutureIncompatibilityReason {
169     pub fn edition(self) -> Option<Edition> {
170         match self {
171             Self::EditionError(e) => Some(e),
172             Self::EditionSemanticsChange(e) => Some(e),
173             _ => None,
174         }
175     }
176 }
177
178 #[derive(Copy, Clone, Debug)]
179 pub struct FutureBreakage {
180     pub date: Option<&'static str>,
181 }
182
183 impl FutureIncompatibleInfo {
184     pub const fn default_fields_for_macro() -> Self {
185         FutureIncompatibleInfo {
186             reference: "",
187             reason: FutureIncompatibilityReason::FutureReleaseError,
188             future_breakage: None,
189         }
190     }
191 }
192
193 impl Lint {
194     pub const fn default_fields_for_macro() -> Self {
195         Lint {
196             name: "",
197             default_level: Level::Forbid,
198             desc: "",
199             edition_lint_opts: None,
200             is_plugin: false,
201             report_in_external_macro: false,
202             future_incompatible: None,
203             feature_gate: None,
204             crate_level_only: false,
205         }
206     }
207
208     /// Gets the lint's name, with ASCII letters converted to lowercase.
209     pub fn name_lower(&self) -> String {
210         self.name.to_ascii_lowercase()
211     }
212
213     pub fn default_level(&self, edition: Edition) -> Level {
214         self.edition_lint_opts
215             .filter(|(e, _)| *e <= edition)
216             .map(|(_, l)| l)
217             .unwrap_or(self.default_level)
218     }
219 }
220
221 /// Identifies a lint known to the compiler.
222 #[derive(Clone, Copy, Debug)]
223 pub struct LintId {
224     // Identity is based on pointer equality of this field.
225     pub lint: &'static Lint,
226 }
227
228 impl PartialEq for LintId {
229     fn eq(&self, other: &LintId) -> bool {
230         std::ptr::eq(self.lint, other.lint)
231     }
232 }
233
234 impl Eq for LintId {}
235
236 impl std::hash::Hash for LintId {
237     fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
238         let ptr = self.lint as *const Lint;
239         ptr.hash(state);
240     }
241 }
242
243 impl LintId {
244     /// Gets the `LintId` for a `Lint`.
245     pub fn of(lint: &'static Lint) -> LintId {
246         LintId { lint }
247     }
248
249     pub fn lint_name_raw(&self) -> &'static str {
250         self.lint.name
251     }
252
253     /// Gets the name of the lint.
254     pub fn to_string(&self) -> String {
255         self.lint.name_lower()
256     }
257 }
258
259 impl<HCX> HashStable<HCX> for LintId {
260     #[inline]
261     fn hash_stable(&self, hcx: &mut HCX, hasher: &mut StableHasher) {
262         self.lint_name_raw().hash_stable(hcx, hasher);
263     }
264 }
265
266 impl<HCX> ToStableHashKey<HCX> for LintId {
267     type KeyType = &'static str;
268
269     #[inline]
270     fn to_stable_hash_key(&self, _: &HCX) -> &'static str {
271         self.lint_name_raw()
272     }
273 }
274
275 // Duplicated from rustc_session::config::ExternDepSpec to avoid cyclic dependency
276 #[derive(PartialEq)]
277 pub enum ExternDepSpec {
278     Json(Json),
279     Raw(String),
280 }
281
282 // This could be a closure, but then implementing derive trait
283 // becomes hacky (and it gets allocated).
284 #[derive(PartialEq)]
285 pub enum BuiltinLintDiagnostics {
286     Normal,
287     BareTraitObject(Span, /* is_global */ bool),
288     AbsPathWithModule(Span),
289     ProcMacroDeriveResolutionFallback(Span),
290     MacroExpandedMacroExportsAccessedByAbsolutePaths(Span),
291     ElidedLifetimesInPaths(usize, Span, bool, Span, String),
292     UnknownCrateTypes(Span, String, String),
293     UnusedImports(String, Vec<(Span, String)>),
294     RedundantImport(Vec<(Span, bool)>, Ident),
295     DeprecatedMacro(Option<Symbol>, Span),
296     MissingAbi(Span, Abi),
297     UnusedDocComment(Span),
298     PatternsInFnsWithoutBody(Span, Ident),
299     LegacyDeriveHelpers(Span),
300     ExternDepSpec(String, ExternDepSpec),
301     ProcMacroBackCompat(String),
302     OrPatternsBackCompat(Span, String),
303     ReservedPrefix(Span),
304 }
305
306 /// Lints that are buffered up early on in the `Session` before the
307 /// `LintLevels` is calculated.
308 #[derive(PartialEq)]
309 pub struct BufferedEarlyLint {
310     /// The span of code that we are linting on.
311     pub span: MultiSpan,
312
313     /// The lint message.
314     pub msg: String,
315
316     /// The `NodeId` of the AST node that generated the lint.
317     pub node_id: NodeId,
318
319     /// A lint Id that can be passed to
320     /// `rustc_lint::early::EarlyContextAndPass::check_id`.
321     pub lint_id: LintId,
322
323     /// Customization of the `DiagnosticBuilder<'_>` for the lint.
324     pub diagnostic: BuiltinLintDiagnostics,
325 }
326
327 #[derive(Default)]
328 pub struct LintBuffer {
329     pub map: NodeMap<Vec<BufferedEarlyLint>>,
330 }
331
332 impl LintBuffer {
333     pub fn add_early_lint(&mut self, early_lint: BufferedEarlyLint) {
334         let arr = self.map.entry(early_lint.node_id).or_default();
335         if !arr.contains(&early_lint) {
336             arr.push(early_lint);
337         }
338     }
339
340     pub fn add_lint(
341         &mut self,
342         lint: &'static Lint,
343         node_id: NodeId,
344         span: MultiSpan,
345         msg: &str,
346         diagnostic: BuiltinLintDiagnostics,
347     ) {
348         let lint_id = LintId::of(lint);
349         let msg = msg.to_string();
350         self.add_early_lint(BufferedEarlyLint { lint_id, node_id, span, msg, diagnostic });
351     }
352
353     pub fn take(&mut self, id: NodeId) -> Vec<BufferedEarlyLint> {
354         self.map.remove(&id).unwrap_or_default()
355     }
356
357     pub fn buffer_lint(
358         &mut self,
359         lint: &'static Lint,
360         id: NodeId,
361         sp: impl Into<MultiSpan>,
362         msg: &str,
363     ) {
364         self.add_lint(lint, id, sp.into(), msg, BuiltinLintDiagnostics::Normal)
365     }
366
367     pub fn buffer_lint_with_diagnostic(
368         &mut self,
369         lint: &'static Lint,
370         id: NodeId,
371         sp: impl Into<MultiSpan>,
372         msg: &str,
373         diagnostic: BuiltinLintDiagnostics,
374     ) {
375         self.add_lint(lint, id, sp.into(), msg, diagnostic)
376     }
377 }
378
379 /// Declares a static item of type `&'static Lint`.
380 ///
381 /// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html> for
382 /// documentation and guidelines on writing lints.
383 ///
384 /// The macro call should start with a doc comment explaining the lint
385 /// which will be embedded in the rustc user documentation book. It should
386 /// be written in markdown and have a format that looks like this:
387 ///
388 /// ```rust,ignore (doc-example)
389 /// /// The `my_lint_name` lint detects [short explanation here].
390 /// ///
391 /// /// ### Example
392 /// ///
393 /// /// ```rust
394 /// /// [insert a concise example that triggers the lint]
395 /// /// ```
396 /// ///
397 /// /// {{produces}}
398 /// ///
399 /// /// ### Explanation
400 /// ///
401 /// /// This should be a detailed explanation of *why* the lint exists,
402 /// /// and also include suggestions on how the user should fix the problem.
403 /// /// Try to keep the text simple enough that a beginner can understand,
404 /// /// and include links to other documentation for terminology that a
405 /// /// beginner may not be familiar with. If this is "allow" by default,
406 /// /// it should explain why (are there false positives or other issues?). If
407 /// /// this is a future-incompatible lint, it should say so, with text that
408 /// /// looks roughly like this:
409 /// ///
410 /// /// This is a [future-incompatible] lint to transition this to a hard
411 /// /// error in the future. See [issue #xxxxx] for more details.
412 /// ///
413 /// /// [issue #xxxxx]: https://github.com/rust-lang/rust/issues/xxxxx
414 /// ```
415 ///
416 /// The `{{produces}}` tag will be automatically replaced with the output from
417 /// the example by the build system. If the lint example is too complex to run
418 /// as a simple example (for example, it needs an extern crate), mark the code
419 /// block with `ignore` and manually replace the `{{produces}}` line with the
420 /// expected output in a `text` code block.
421 ///
422 /// If this is a rustdoc-only lint, then only include a brief introduction
423 /// with a link with the text `[rustdoc book]` so that the validator knows
424 /// that this is for rustdoc only (see BROKEN_INTRA_DOC_LINKS as an example).
425 ///
426 /// Commands to view and test the documentation:
427 ///
428 /// * `./x.py doc --stage=1 src/doc/rustc --open`: Builds the rustc book and opens it.
429 /// * `./x.py test src/tools/lint-docs`: Validates that the lint docs have the
430 ///   correct style, and that the code example actually emits the expected
431 ///   lint.
432 ///
433 /// If you have already built the compiler, and you want to make changes to
434 /// just the doc comments, then use the `--keep-stage=0` flag with the above
435 /// commands to avoid rebuilding the compiler.
436 #[macro_export]
437 macro_rules! declare_lint {
438     ($(#[$attr:meta])* $vis: vis $NAME: ident, $Level: ident, $desc: expr) => (
439         $crate::declare_lint!(
440             $(#[$attr])* $vis $NAME, $Level, $desc,
441         );
442     );
443     ($(#[$attr:meta])* $vis: vis $NAME: ident, $Level: ident, $desc: expr,
444      $(@feature_gate = $gate:expr;)?
445      $(@future_incompatible = FutureIncompatibleInfo { $($field:ident : $val:expr),* $(,)*  }; )?
446      $($v:ident),*) => (
447         $(#[$attr])*
448         $vis static $NAME: &$crate::Lint = &$crate::Lint {
449             name: stringify!($NAME),
450             default_level: $crate::$Level,
451             desc: $desc,
452             edition_lint_opts: None,
453             is_plugin: false,
454             $($v: true,)*
455             $(feature_gate: Some($gate),)*
456             $(future_incompatible: Some($crate::FutureIncompatibleInfo {
457                 $($field: $val,)*
458                 ..$crate::FutureIncompatibleInfo::default_fields_for_macro()
459             }),)*
460             ..$crate::Lint::default_fields_for_macro()
461         };
462     );
463     ($(#[$attr:meta])* $vis: vis $NAME: ident, $Level: ident, $desc: expr,
464      $lint_edition: expr => $edition_level: ident
465     ) => (
466         $(#[$attr])*
467         $vis static $NAME: &$crate::Lint = &$crate::Lint {
468             name: stringify!($NAME),
469             default_level: $crate::$Level,
470             desc: $desc,
471             edition_lint_opts: Some(($lint_edition, $crate::Level::$edition_level)),
472             report_in_external_macro: false,
473             is_plugin: false,
474         };
475     );
476 }
477
478 #[macro_export]
479 macro_rules! declare_tool_lint {
480     (
481         $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level: ident, $desc: expr
482     ) => (
483         $crate::declare_tool_lint!{$(#[$attr])* $vis $tool::$NAME, $Level, $desc, false}
484     );
485     (
486         $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level:ident, $desc:expr,
487         report_in_external_macro: $rep:expr
488     ) => (
489          $crate::declare_tool_lint!{$(#[$attr])* $vis $tool::$NAME, $Level, $desc, $rep}
490     );
491     (
492         $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level:ident, $desc:expr,
493         $external:expr
494     ) => (
495         $(#[$attr])*
496         $vis static $NAME: &$crate::Lint = &$crate::Lint {
497             name: &concat!(stringify!($tool), "::", stringify!($NAME)),
498             default_level: $crate::$Level,
499             desc: $desc,
500             edition_lint_opts: None,
501             report_in_external_macro: $external,
502             future_incompatible: None,
503             is_plugin: true,
504             feature_gate: None,
505             crate_level_only: false,
506         };
507     );
508 }
509
510 /// Declares a static `LintArray` and return it as an expression.
511 #[macro_export]
512 macro_rules! lint_array {
513     ($( $lint:expr ),* ,) => { lint_array!( $($lint),* ) };
514     ($( $lint:expr ),*) => {{
515         vec![$($lint),*]
516     }}
517 }
518
519 pub type LintArray = Vec<&'static Lint>;
520
521 pub trait LintPass {
522     fn name(&self) -> &'static str;
523 }
524
525 /// Implements `LintPass for $ty` with the given list of `Lint` statics.
526 #[macro_export]
527 macro_rules! impl_lint_pass {
528     ($ty:ty => [$($lint:expr),* $(,)?]) => {
529         impl $crate::LintPass for $ty {
530             fn name(&self) -> &'static str { stringify!($ty) }
531         }
532         impl $ty {
533             pub fn get_lints() -> $crate::LintArray { $crate::lint_array!($($lint),*) }
534         }
535     };
536 }
537
538 /// Declares a type named `$name` which implements `LintPass`.
539 /// To the right of `=>` a comma separated list of `Lint` statics is given.
540 #[macro_export]
541 macro_rules! declare_lint_pass {
542     ($(#[$m:meta])* $name:ident => [$($lint:expr),* $(,)?]) => {
543         $(#[$m])* #[derive(Copy, Clone)] pub struct $name;
544         $crate::impl_lint_pass!($name => [$($lint),*]);
545     };
546 }