rustc_lint_defs/
lib.rs

1use rustc_abi::ExternAbi;
2use rustc_ast::AttrId;
3use rustc_ast::attr::AttributeExt;
4use rustc_ast::node_id::NodeId;
5use rustc_data_structures::fx::{FxIndexMap, FxIndexSet};
6use rustc_data_structures::stable_hasher::{
7    HashStable, StableCompare, StableHasher, ToStableHashKey,
8};
9use rustc_error_messages::{DiagMessage, MultiSpan};
10use rustc_hir::def::Namespace;
11use rustc_hir::def_id::DefPathHash;
12use rustc_hir::{HashStableContext, HirId, ItemLocalId};
13use rustc_macros::{Decodable, Encodable, HashStable_Generic};
14pub use rustc_span::edition::Edition;
15use rustc_span::{Ident, MacroRulesNormalizedIdent, Span, Symbol, sym};
16use serde::{Deserialize, Serialize};
17
18pub use self::Level::*;
19
20pub mod builtin;
21
22#[macro_export]
23macro_rules! pluralize {
24    // Pluralize based on count (e.g., apples)
25    ($x:expr) => {
26        if $x == 1 { "" } else { "s" }
27    };
28    ("has", $x:expr) => {
29        if $x == 1 { "has" } else { "have" }
30    };
31    ("is", $x:expr) => {
32        if $x == 1 { "is" } else { "are" }
33    };
34    ("was", $x:expr) => {
35        if $x == 1 { "was" } else { "were" }
36    };
37    ("this", $x:expr) => {
38        if $x == 1 { "this" } else { "these" }
39    };
40}
41
42/// Grammatical tool for displaying messages to end users in a nice form.
43///
44/// Take a list of items and a function to turn those items into a `String`, and output a display
45/// friendly comma separated list of those items.
46// FIXME(estebank): this needs to be changed to go through the translation machinery.
47pub fn listify<T>(list: &[T], fmt: impl Fn(&T) -> String) -> Option<String> {
48    Some(match list {
49        [only] => fmt(&only),
50        [others @ .., last] => format!(
51            "{} and {}",
52            others.iter().map(|i| fmt(i)).collect::<Vec<_>>().join(", "),
53            fmt(&last),
54        ),
55        [] => return None,
56    })
57}
58
59/// Indicates the confidence in the correctness of a suggestion.
60///
61/// All suggestions are marked with an `Applicability`. Tools use the applicability of a suggestion
62/// to determine whether it should be automatically applied or if the user should be consulted
63/// before applying the suggestion.
64#[derive(Copy, Clone, Debug, Hash, Encodable, Decodable, Serialize, Deserialize)]
65#[derive(PartialEq, Eq, PartialOrd, Ord)]
66pub enum Applicability {
67    /// The suggestion is definitely what the user intended, or maintains the exact meaning of the code.
68    /// This suggestion should be automatically applied.
69    ///
70    /// In case of multiple `MachineApplicable` suggestions (whether as part of
71    /// the same `multipart_suggestion` or not), all of them should be
72    /// automatically applied.
73    MachineApplicable,
74
75    /// The suggestion may be what the user intended, but it is uncertain. The suggestion should
76    /// result in valid Rust code if it is applied.
77    MaybeIncorrect,
78
79    /// The suggestion contains placeholders like `(...)` or `{ /* fields */ }`. The suggestion
80    /// cannot be applied automatically because it will not result in valid Rust code. The user
81    /// will need to fill in the placeholders.
82    HasPlaceholders,
83
84    /// The applicability of the suggestion is unknown.
85    Unspecified,
86}
87
88/// Each lint expectation has a `LintExpectationId` assigned by the `LintLevelsBuilder`.
89/// Expected diagnostics get the lint level `Expect` which stores the `LintExpectationId`
90/// to match it with the actual expectation later on.
91///
92/// The `LintExpectationId` has to be stable between compilations, as diagnostic
93/// instances might be loaded from cache. Lint messages can be emitted during an
94/// `EarlyLintPass` operating on the AST and during a `LateLintPass` traversing the
95/// HIR tree. The AST doesn't have enough information to create a stable id. The
96/// `LintExpectationId` will instead store the [`AttrId`] defining the expectation.
97/// These `LintExpectationId` will be updated to use the stable [`HirId`] once the
98/// AST has been lowered. The transformation is done by the `LintLevelsBuilder`
99///
100/// Each lint inside the `expect` attribute is tracked individually, the `lint_index`
101/// identifies the lint inside the attribute and ensures that the IDs are unique.
102///
103/// The index values have a type of `u16` to reduce the size of the `LintExpectationId`.
104/// It's reasonable to assume that no user will define 2^16 attributes on one node or
105/// have that amount of lints listed. `u16` values should therefore suffice.
106#[derive(Clone, Copy, PartialEq, Eq, Debug, Hash, Encodable, Decodable)]
107pub enum LintExpectationId {
108    /// Used for lints emitted during the `EarlyLintPass`. This id is not
109    /// hash stable and should not be cached.
110    Unstable { attr_id: AttrId, lint_index: Option<u16> },
111    /// The [`HirId`] that the lint expectation is attached to. This id is
112    /// stable and can be cached. The additional index ensures that nodes with
113    /// several expectations can correctly match diagnostics to the individual
114    /// expectation.
115    Stable { hir_id: HirId, attr_index: u16, lint_index: Option<u16> },
116}
117
118impl LintExpectationId {
119    pub fn is_stable(&self) -> bool {
120        match self {
121            LintExpectationId::Unstable { .. } => false,
122            LintExpectationId::Stable { .. } => true,
123        }
124    }
125
126    pub fn get_lint_index(&self) -> Option<u16> {
127        let (LintExpectationId::Unstable { lint_index, .. }
128        | LintExpectationId::Stable { lint_index, .. }) = self;
129
130        *lint_index
131    }
132
133    pub fn set_lint_index(&mut self, new_lint_index: Option<u16>) {
134        let (LintExpectationId::Unstable { lint_index, .. }
135        | LintExpectationId::Stable { lint_index, .. }) = self;
136
137        *lint_index = new_lint_index
138    }
139}
140
141impl<HCX: rustc_hir::HashStableContext> HashStable<HCX> for LintExpectationId {
142    #[inline]
143    fn hash_stable(&self, hcx: &mut HCX, hasher: &mut StableHasher) {
144        match self {
145            LintExpectationId::Stable { hir_id, attr_index, lint_index: Some(lint_index) } => {
146                hir_id.hash_stable(hcx, hasher);
147                attr_index.hash_stable(hcx, hasher);
148                lint_index.hash_stable(hcx, hasher);
149            }
150            _ => {
151                unreachable!(
152                    "HashStable should only be called for filled and stable `LintExpectationId`"
153                )
154            }
155        }
156    }
157}
158
159impl<HCX: rustc_hir::HashStableContext> ToStableHashKey<HCX> for LintExpectationId {
160    type KeyType = (DefPathHash, ItemLocalId, u16, u16);
161
162    #[inline]
163    fn to_stable_hash_key(&self, hcx: &HCX) -> Self::KeyType {
164        match self {
165            LintExpectationId::Stable { hir_id, attr_index, lint_index: Some(lint_index) } => {
166                let (def_path_hash, lint_idx) = hir_id.to_stable_hash_key(hcx);
167                (def_path_hash, lint_idx, *attr_index, *lint_index)
168            }
169            _ => {
170                unreachable!("HashStable should only be called for a filled `LintExpectationId`")
171            }
172        }
173    }
174}
175
176/// Setting for how to handle a lint.
177///
178/// See: <https://doc.rust-lang.org/rustc/lints/levels.html>
179#[derive(
180    Clone,
181    Copy,
182    PartialEq,
183    PartialOrd,
184    Eq,
185    Ord,
186    Debug,
187    Hash,
188    Encodable,
189    Decodable,
190    HashStable_Generic
191)]
192pub enum Level {
193    /// The `allow` level will not issue any message.
194    Allow,
195    /// The `expect` level will suppress the lint message but in turn produce a message
196    /// if the lint wasn't issued in the expected scope. `Expect` should not be used as
197    /// an initial level for a lint.
198    ///
199    /// Note that this still means that the lint is enabled in this position and should
200    /// be emitted, this will in turn fulfill the expectation and suppress the lint.
201    ///
202    /// See RFC 2383.
203    ///
204    /// Requires a [`LintExpectationId`] to later link a lint emission to the actual
205    /// expectation. It can be ignored in most cases.
206    Expect,
207    /// The `warn` level will produce a warning if the lint was violated, however the
208    /// compiler will continue with its execution.
209    Warn,
210    /// This lint level is a special case of [`Warn`], that can't be overridden. This is used
211    /// to ensure that a lint can't be suppressed. This lint level can currently only be set
212    /// via the console and is therefore session specific.
213    ///
214    /// Requires a [`LintExpectationId`] to fulfill expectations marked via the
215    /// `#[expect]` attribute, that will still be suppressed due to the level.
216    ForceWarn,
217    /// The `deny` level will produce an error and stop further execution after the lint
218    /// pass is complete.
219    Deny,
220    /// `Forbid` is equivalent to the `deny` level but can't be overwritten like the previous
221    /// levels.
222    Forbid,
223}
224
225impl Level {
226    /// Converts a level to a lower-case string.
227    pub fn as_str(self) -> &'static str {
228        match self {
229            Level::Allow => "allow",
230            Level::Expect => "expect",
231            Level::Warn => "warn",
232            Level::ForceWarn => "force-warn",
233            Level::Deny => "deny",
234            Level::Forbid => "forbid",
235        }
236    }
237
238    /// Converts a lower-case string to a level. This will never construct the expect
239    /// level as that would require a [`LintExpectationId`].
240    pub fn from_str(x: &str) -> Option<Self> {
241        match x {
242            "allow" => Some(Level::Allow),
243            "warn" => Some(Level::Warn),
244            "deny" => Some(Level::Deny),
245            "forbid" => Some(Level::Forbid),
246            "expect" | _ => None,
247        }
248    }
249
250    /// Converts an `Attribute` to a level.
251    pub fn from_attr(attr: &impl AttributeExt) -> Option<(Self, Option<LintExpectationId>)> {
252        attr.name().and_then(|name| Self::from_symbol(name, || Some(attr.id())))
253    }
254
255    /// Converts a `Symbol` to a level.
256    pub fn from_symbol(
257        s: Symbol,
258        id: impl FnOnce() -> Option<AttrId>,
259    ) -> Option<(Self, Option<LintExpectationId>)> {
260        match s {
261            sym::allow => Some((Level::Allow, None)),
262            sym::expect => {
263                if let Some(attr_id) = id() {
264                    Some((
265                        Level::Expect,
266                        Some(LintExpectationId::Unstable { attr_id, lint_index: None }),
267                    ))
268                } else {
269                    None
270                }
271            }
272            sym::warn => Some((Level::Warn, None)),
273            sym::deny => Some((Level::Deny, None)),
274            sym::forbid => Some((Level::Forbid, None)),
275            _ => None,
276        }
277    }
278
279    pub fn to_cmd_flag(self) -> &'static str {
280        match self {
281            Level::Warn => "-W",
282            Level::Deny => "-D",
283            Level::Forbid => "-F",
284            Level::Allow => "-A",
285            Level::ForceWarn => "--force-warn",
286            Level::Expect => {
287                unreachable!("the expect level does not have a commandline flag")
288            }
289        }
290    }
291
292    pub fn is_error(self) -> bool {
293        match self {
294            Level::Allow | Level::Expect | Level::Warn | Level::ForceWarn => false,
295            Level::Deny | Level::Forbid => true,
296        }
297    }
298}
299
300/// Specification of a single lint.
301#[derive(Copy, Clone, Debug)]
302pub struct Lint {
303    /// A string identifier for the lint.
304    ///
305    /// This identifies the lint in attributes and in command-line arguments.
306    /// In those contexts it is always lowercase, but this field is compared
307    /// in a way which is case-insensitive for ASCII characters. This allows
308    /// `declare_lint!()` invocations to follow the convention of upper-case
309    /// statics without repeating the name.
310    ///
311    /// The name is written with underscores, e.g., "unused_imports".
312    /// On the command line, underscores become dashes.
313    ///
314    /// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html#lint-naming>
315    /// for naming guidelines.
316    pub name: &'static str,
317
318    /// Default level for the lint.
319    ///
320    /// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html#diagnostic-levels>
321    /// for guidelines on choosing a default level.
322    pub default_level: Level,
323
324    /// Description of the lint or the issue it detects.
325    ///
326    /// e.g., "imports that are never used"
327    pub desc: &'static str,
328
329    /// Starting at the given edition, default to the given lint level. If this is `None`, then use
330    /// `default_level`.
331    pub edition_lint_opts: Option<(Edition, Level)>,
332
333    /// `true` if this lint is reported even inside expansions of external macros.
334    pub report_in_external_macro: bool,
335
336    pub future_incompatible: Option<FutureIncompatibleInfo>,
337
338    /// `true` if this lint is being loaded by another tool (e.g. Clippy).
339    pub is_externally_loaded: bool,
340
341    /// `Some` if this lint is feature gated, otherwise `None`.
342    pub feature_gate: Option<Symbol>,
343
344    pub crate_level_only: bool,
345
346    /// `true` if this lint should not be filtered out under any circustamces
347    /// (e.g. the unknown_attributes lint)
348    pub eval_always: bool,
349}
350
351/// Extra information for a future incompatibility lint.
352#[derive(Copy, Clone, Debug)]
353pub struct FutureIncompatibleInfo {
354    /// e.g., a URL for an issue/PR/RFC or error code
355    pub reference: &'static str,
356    /// The reason for the lint used by diagnostics to provide
357    /// the right help message
358    pub reason: FutureIncompatibilityReason,
359    /// Whether to explain the reason to the user.
360    ///
361    /// Set to false for lints that already include a more detailed
362    /// explanation.
363    pub explain_reason: bool,
364    /// If set to `true`, this will make future incompatibility warnings show up in cargo's
365    /// reports.
366    ///
367    /// When a future incompatibility warning is first inroduced, set this to `false`
368    /// (or, rather, don't override the default). This allows crate developers an opportunity
369    /// to fix the warning before blasting all dependents with a warning they can't fix
370    /// (dependents have to wait for a new release of the affected crate to be published).
371    ///
372    /// After a lint has been in this state for a while, consider setting this to true, so it
373    /// warns for everyone. It is a good signal that it is ready if you can determine that all
374    /// or most affected crates on crates.io have been updated.
375    pub report_in_deps: bool,
376}
377
378/// The reason for future incompatibility
379///
380/// Future-incompatible lints come in roughly two categories:
381///
382/// 1. There was a mistake in the compiler (such as a soundness issue), and
383///    we're trying to fix it, but it may be a breaking change.
384/// 2. A change across an Edition boundary, typically used for the
385///    introduction of new language features that can't otherwise be
386///    introduced in a backwards-compatible way.
387///
388/// See <https://rustc-dev-guide.rust-lang.org/bug-fix-procedure.html> and
389/// <https://rustc-dev-guide.rust-lang.org/diagnostics.html#future-incompatible-lints>
390/// for more information.
391#[derive(Copy, Clone, Debug)]
392pub enum FutureIncompatibilityReason {
393    /// This will be an error in a future release for all editions
394    ///
395    /// Choose this variant when you are first introducing a "future
396    /// incompatible" warning that is intended to eventually be fixed in the
397    /// future.
398    ///
399    /// After a lint has been in this state for a while and you feel like it is ready to graduate
400    /// to warning everyone, consider setting [`FutureIncompatibleInfo::report_in_deps`] to true.
401    /// (see it's documentation for more guidance)
402    ///
403    /// After some period of time, lints with this variant can be turned into
404    /// hard errors (and the lint removed). Preferably when there is some
405    /// confidence that the number of impacted projects is very small (few
406    /// should have a broken dependency in their dependency tree).
407    FutureReleaseError,
408    /// Code that changes meaning in some way in a
409    /// future release.
410    ///
411    /// Choose this variant when the semantics of existing code is changing,
412    /// (as opposed to [`FutureIncompatibilityReason::FutureReleaseError`],
413    /// which is for when code is going to be rejected in the future).
414    FutureReleaseSemanticsChange,
415    /// Previously accepted code that will become an
416    /// error in the provided edition
417    ///
418    /// Choose this variant for code that you want to start rejecting across
419    /// an edition boundary. This will automatically include the lint in the
420    /// `rust-20xx-compatibility` lint group, which is used by `cargo fix
421    /// --edition` to do migrations. The lint *should* be auto-fixable with
422    /// [`Applicability::MachineApplicable`].
423    ///
424    /// The lint can either be `Allow` or `Warn` by default. If it is `Allow`,
425    /// users usually won't see this warning unless they are doing an edition
426    /// migration manually or there is a problem during the migration (cargo's
427    /// automatic migrations will force the level to `Warn`). If it is `Warn`
428    /// by default, users on all editions will see this warning (only do this
429    /// if you think it is important for everyone to be aware of the change,
430    /// and to encourage people to update their code on all editions).
431    ///
432    /// See also [`FutureIncompatibilityReason::EditionSemanticsChange`] if
433    /// you have code that is changing semantics across the edition (as
434    /// opposed to being rejected).
435    EditionError(Edition),
436    /// Code that changes meaning in some way in
437    /// the provided edition
438    ///
439    /// This is the same as [`FutureIncompatibilityReason::EditionError`],
440    /// except for situations where the semantics change across an edition. It
441    /// slightly changes the text of the diagnostic, but is otherwise the
442    /// same.
443    EditionSemanticsChange(Edition),
444    /// This will be an error in the provided edition *and* in a future
445    /// release.
446    ///
447    /// This variant a combination of [`FutureReleaseError`] and [`EditionError`].
448    /// This is useful in rare cases when we want to have "preview" of a breaking
449    /// change in an edition, but do a breaking change later on all editions anyway.
450    ///
451    /// [`EditionError`]: FutureIncompatibilityReason::EditionError
452    /// [`FutureReleaseError`]: FutureIncompatibilityReason::FutureReleaseError
453    EditionAndFutureReleaseError(Edition),
454    /// This will change meaning in the provided edition *and* in a future
455    /// release.
456    ///
457    /// This variant a combination of [`FutureReleaseSemanticsChange`]
458    /// and [`EditionSemanticsChange`]. This is useful in rare cases when we
459    /// want to have "preview" of a breaking change in an edition, but do a
460    /// breaking change later on all editions anyway.
461    ///
462    /// [`EditionSemanticsChange`]: FutureIncompatibilityReason::EditionSemanticsChange
463    /// [`FutureReleaseSemanticsChange`]: FutureIncompatibilityReason::FutureReleaseSemanticsChange
464    EditionAndFutureReleaseSemanticsChange(Edition),
465    /// A custom reason.
466    ///
467    /// Choose this variant if the built-in text of the diagnostic of the
468    /// other variants doesn't match your situation. This is behaviorally
469    /// equivalent to
470    /// [`FutureIncompatibilityReason::FutureReleaseError`].
471    Custom(&'static str),
472}
473
474impl FutureIncompatibilityReason {
475    pub fn edition(self) -> Option<Edition> {
476        match self {
477            Self::EditionError(e)
478            | Self::EditionSemanticsChange(e)
479            | Self::EditionAndFutureReleaseError(e)
480            | Self::EditionAndFutureReleaseSemanticsChange(e) => Some(e),
481
482            FutureIncompatibilityReason::FutureReleaseError
483            | FutureIncompatibilityReason::FutureReleaseSemanticsChange
484            | FutureIncompatibilityReason::Custom(_) => None,
485        }
486    }
487}
488
489impl FutureIncompatibleInfo {
490    pub const fn default_fields_for_macro() -> Self {
491        FutureIncompatibleInfo {
492            reference: "",
493            reason: FutureIncompatibilityReason::FutureReleaseError,
494            explain_reason: true,
495            report_in_deps: false,
496        }
497    }
498}
499
500impl Lint {
501    pub const fn default_fields_for_macro() -> Self {
502        Lint {
503            name: "",
504            default_level: Level::Forbid,
505            desc: "",
506            edition_lint_opts: None,
507            is_externally_loaded: false,
508            report_in_external_macro: false,
509            future_incompatible: None,
510            feature_gate: None,
511            crate_level_only: false,
512            eval_always: false,
513        }
514    }
515
516    /// Gets the lint's name, with ASCII letters converted to lowercase.
517    pub fn name_lower(&self) -> String {
518        self.name.to_ascii_lowercase()
519    }
520
521    pub fn default_level(&self, edition: Edition) -> Level {
522        self.edition_lint_opts
523            .filter(|(e, _)| *e <= edition)
524            .map(|(_, l)| l)
525            .unwrap_or(self.default_level)
526    }
527}
528
529/// Identifies a lint known to the compiler.
530#[derive(Clone, Copy, Debug)]
531pub struct LintId {
532    // Identity is based on pointer equality of this field.
533    pub lint: &'static Lint,
534}
535
536impl PartialEq for LintId {
537    fn eq(&self, other: &LintId) -> bool {
538        std::ptr::eq(self.lint, other.lint)
539    }
540}
541
542impl Eq for LintId {}
543
544impl std::hash::Hash for LintId {
545    fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
546        let ptr = self.lint as *const Lint;
547        ptr.hash(state);
548    }
549}
550
551impl LintId {
552    /// Gets the `LintId` for a `Lint`.
553    pub fn of(lint: &'static Lint) -> LintId {
554        LintId { lint }
555    }
556
557    pub fn lint_name_raw(&self) -> &'static str {
558        self.lint.name
559    }
560
561    /// Gets the name of the lint.
562    pub fn to_string(&self) -> String {
563        self.lint.name_lower()
564    }
565}
566
567impl<HCX> HashStable<HCX> for LintId {
568    #[inline]
569    fn hash_stable(&self, hcx: &mut HCX, hasher: &mut StableHasher) {
570        self.lint_name_raw().hash_stable(hcx, hasher);
571    }
572}
573
574impl<HCX> ToStableHashKey<HCX> for LintId {
575    type KeyType = &'static str;
576
577    #[inline]
578    fn to_stable_hash_key(&self, _: &HCX) -> &'static str {
579        self.lint_name_raw()
580    }
581}
582
583impl StableCompare for LintId {
584    const CAN_USE_UNSTABLE_SORT: bool = true;
585
586    fn stable_cmp(&self, other: &Self) -> std::cmp::Ordering {
587        self.lint_name_raw().cmp(&other.lint_name_raw())
588    }
589}
590
591#[derive(Debug)]
592pub struct AmbiguityErrorDiag {
593    pub msg: String,
594    pub span: Span,
595    pub label_span: Span,
596    pub label_msg: String,
597    pub note_msg: String,
598    pub b1_span: Span,
599    pub b1_note_msg: String,
600    pub b1_help_msgs: Vec<String>,
601    pub b2_span: Span,
602    pub b2_note_msg: String,
603    pub b2_help_msgs: Vec<String>,
604}
605
606#[derive(Debug, Clone)]
607pub enum DeprecatedSinceKind {
608    InEffect,
609    InFuture,
610    InVersion(String),
611}
612
613// This could be a closure, but then implementing derive trait
614// becomes hacky (and it gets allocated).
615#[derive(Debug)]
616pub enum BuiltinLintDiag {
617    AbsPathWithModule(Span),
618    ProcMacroDeriveResolutionFallback {
619        span: Span,
620        ns: Namespace,
621        ident: Ident,
622    },
623    MacroExpandedMacroExportsAccessedByAbsolutePaths(Span),
624    ElidedLifetimesInPaths(usize, Span, bool, Span),
625    UnknownCrateTypes {
626        span: Span,
627        candidate: Option<Symbol>,
628    },
629    UnusedImports {
630        remove_whole_use: bool,
631        num_to_remove: usize,
632        remove_spans: Vec<Span>,
633        test_module_span: Option<Span>,
634        span_snippets: Vec<String>,
635    },
636    RedundantImport(Vec<(Span, bool)>, Ident),
637    DeprecatedMacro {
638        suggestion: Option<Symbol>,
639        suggestion_span: Span,
640        note: Option<Symbol>,
641        path: String,
642        since_kind: DeprecatedSinceKind,
643    },
644    MissingAbi(Span, ExternAbi),
645    UnusedDocComment(Span),
646    UnusedBuiltinAttribute {
647        attr_name: Symbol,
648        macro_name: String,
649        invoc_span: Span,
650        attr_span: Span,
651    },
652    PatternsInFnsWithoutBody {
653        span: Span,
654        ident: Ident,
655        is_foreign: bool,
656    },
657    LegacyDeriveHelpers(Span),
658    OrPatternsBackCompat(Span, String),
659    ReservedPrefix(Span, String),
660    /// `'r#` in edition < 2021.
661    RawPrefix(Span),
662    /// `##` or `#"` in edition < 2024.
663    ReservedString {
664        is_string: bool,
665        suggestion: Span,
666    },
667    HiddenUnicodeCodepoints {
668        label: String,
669        count: usize,
670        span_label: Span,
671        labels: Option<Vec<(char, Span)>>,
672        escape: bool,
673        spans: Vec<(char, Span)>,
674    },
675    TrailingMacro(bool, Ident),
676    BreakWithLabelAndLoop(Span),
677    UnicodeTextFlow(Span, String),
678    UnexpectedCfgName((Symbol, Span), Option<(Symbol, Span)>),
679    UnexpectedCfgValue((Symbol, Span), Option<(Symbol, Span)>),
680    DeprecatedWhereclauseLocation(Span, Option<(Span, String)>),
681    MissingUnsafeOnExtern {
682        suggestion: Span,
683    },
684    SingleUseLifetime {
685        /// Span of the parameter which declares this lifetime.
686        param_span: Span,
687        /// Span of the code that should be removed when eliding this lifetime.
688        /// This span should include leading or trailing comma.
689        deletion_span: Option<Span>,
690        /// Span of the single use, or None if the lifetime is never used.
691        /// If true, the lifetime will be fully elided.
692        use_span: Option<(Span, bool)>,
693        ident: Ident,
694    },
695    NamedArgumentUsedPositionally {
696        /// Span where the named argument is used by position and will be replaced with the named
697        /// argument name
698        position_sp_to_replace: Option<Span>,
699        /// Span where the named argument is used by position and is used for lint messages
700        position_sp_for_msg: Option<Span>,
701        /// Span where the named argument's name is (so we know where to put the warning message)
702        named_arg_sp: Span,
703        /// String containing the named arguments name
704        named_arg_name: String,
705        /// Indicates if the named argument is used as a width/precision for formatting
706        is_formatting_arg: bool,
707    },
708    ByteSliceInPackedStructWithDerive {
709        // FIXME: enum of byte/string
710        ty: String,
711    },
712    UnusedExternCrate {
713        span: Span,
714        removal_span: Span,
715    },
716    ExternCrateNotIdiomatic {
717        vis_span: Span,
718        ident_span: Span,
719    },
720    AmbiguousGlobImports {
721        diag: AmbiguityErrorDiag,
722    },
723    AmbiguousGlobReexports {
724        /// The name for which collision(s) have occurred.
725        name: String,
726        /// The name space for which the collision(s) occurred in.
727        namespace: String,
728        /// Span where the name is first re-exported.
729        first_reexport_span: Span,
730        /// Span where the same name is also re-exported.
731        duplicate_reexport_span: Span,
732    },
733    HiddenGlobReexports {
734        /// The name of the local binding which shadows the glob re-export.
735        name: String,
736        /// The namespace for which the shadowing occurred in.
737        namespace: String,
738        /// The glob reexport that is shadowed by the local binding.
739        glob_reexport_span: Span,
740        /// The local binding that shadows the glob reexport.
741        private_item_span: Span,
742    },
743    ReexportPrivateDependency {
744        name: String,
745        kind: String,
746        krate: Symbol,
747    },
748    UnusedQualifications {
749        /// The span of the unnecessarily-qualified path to remove.
750        removal_span: Span,
751    },
752    UnsafeAttrOutsideUnsafe {
753        attribute_name_span: Span,
754        sugg_spans: (Span, Span),
755    },
756    AssociatedConstElidedLifetime {
757        elided: bool,
758        span: Span,
759        lifetimes_in_scope: MultiSpan,
760    },
761    RedundantImportVisibility {
762        span: Span,
763        max_vis: String,
764        import_vis: String,
765    },
766    UnknownDiagnosticAttribute {
767        span: Span,
768        typo_name: Option<Symbol>,
769    },
770    MacroUseDeprecated,
771    UnusedMacroUse,
772    PrivateExternCrateReexport {
773        source: Ident,
774        extern_crate_span: Span,
775    },
776    UnusedLabel,
777    MacroIsPrivate(Ident),
778    UnusedMacroDefinition(Symbol),
779    MacroRuleNeverUsed(usize, Symbol),
780    UnstableFeature(DiagMessage),
781    AvoidUsingIntelSyntax,
782    AvoidUsingAttSyntax,
783    IncompleteInclude,
784    UnnameableTestItems,
785    DuplicateMacroAttribute,
786    CfgAttrNoAttributes,
787    MetaVariableStillRepeating(MacroRulesNormalizedIdent),
788    MetaVariableWrongOperator,
789    DuplicateMatcherBinding,
790    UnknownMacroVariable(MacroRulesNormalizedIdent),
791    UnusedCrateDependency {
792        extern_crate: Symbol,
793        local_crate: Symbol,
794    },
795    IllFormedAttributeInput {
796        suggestions: Vec<String>,
797        docs: Option<&'static str>,
798    },
799    InnerAttributeUnstable {
800        is_macro: bool,
801    },
802    OutOfScopeMacroCalls {
803        span: Span,
804        path: String,
805        location: String,
806    },
807    UnexpectedBuiltinCfg {
808        cfg: String,
809        cfg_name: Symbol,
810        controlled_by: &'static str,
811    },
812}
813
814/// Lints that are buffered up early on in the `Session` before the
815/// `LintLevels` is calculated.
816#[derive(Debug)]
817pub struct BufferedEarlyLint {
818    /// The span of code that we are linting on.
819    pub span: Option<MultiSpan>,
820
821    /// The `NodeId` of the AST node that generated the lint.
822    pub node_id: NodeId,
823
824    /// A lint Id that can be passed to
825    /// `rustc_lint::early::EarlyContextAndPass::check_id`.
826    pub lint_id: LintId,
827
828    /// Customization of the `Diag<'_>` for the lint.
829    pub diagnostic: BuiltinLintDiag,
830}
831
832#[derive(Default, Debug)]
833pub struct LintBuffer {
834    pub map: FxIndexMap<NodeId, Vec<BufferedEarlyLint>>,
835}
836
837impl LintBuffer {
838    pub fn add_early_lint(&mut self, early_lint: BufferedEarlyLint) {
839        self.map.entry(early_lint.node_id).or_default().push(early_lint);
840    }
841
842    pub fn take(&mut self, id: NodeId) -> Vec<BufferedEarlyLint> {
843        // FIXME(#120456) - is `swap_remove` correct?
844        self.map.swap_remove(&id).unwrap_or_default()
845    }
846
847    pub fn buffer_lint(
848        &mut self,
849        lint: &'static Lint,
850        node_id: NodeId,
851        span: impl Into<MultiSpan>,
852        diagnostic: BuiltinLintDiag,
853    ) {
854        self.add_early_lint(BufferedEarlyLint {
855            lint_id: LintId::of(lint),
856            node_id,
857            span: Some(span.into()),
858            diagnostic,
859        });
860    }
861}
862
863pub type RegisteredTools = FxIndexSet<Ident>;
864
865/// Declares a static item of type `&'static Lint`.
866///
867/// See <https://rustc-dev-guide.rust-lang.org/diagnostics.html> for
868/// documentation and guidelines on writing lints.
869///
870/// The macro call should start with a doc comment explaining the lint
871/// which will be embedded in the rustc user documentation book. It should
872/// be written in markdown and have a format that looks like this:
873///
874/// ```rust,ignore (doc-example)
875/// /// The `my_lint_name` lint detects [short explanation here].
876/// ///
877/// /// ### Example
878/// ///
879/// /// ```rust
880/// /// [insert a concise example that triggers the lint]
881/// /// ```
882/// ///
883/// /// {{produces}}
884/// ///
885/// /// ### Explanation
886/// ///
887/// /// This should be a detailed explanation of *why* the lint exists,
888/// /// and also include suggestions on how the user should fix the problem.
889/// /// Try to keep the text simple enough that a beginner can understand,
890/// /// and include links to other documentation for terminology that a
891/// /// beginner may not be familiar with. If this is "allow" by default,
892/// /// it should explain why (are there false positives or other issues?). If
893/// /// this is a future-incompatible lint, it should say so, with text that
894/// /// looks roughly like this:
895/// ///
896/// /// This is a [future-incompatible] lint to transition this to a hard
897/// /// error in the future. See [issue #xxxxx] for more details.
898/// ///
899/// /// [issue #xxxxx]: https://github.com/rust-lang/rust/issues/xxxxx
900/// ```
901///
902/// The `{{produces}}` tag will be automatically replaced with the output from
903/// the example by the build system. If the lint example is too complex to run
904/// as a simple example (for example, it needs an extern crate), mark the code
905/// block with `ignore` and manually replace the `{{produces}}` line with the
906/// expected output in a `text` code block.
907///
908/// If this is a rustdoc-only lint, then only include a brief introduction
909/// with a link with the text `[rustdoc book]` so that the validator knows
910/// that this is for rustdoc only (see BROKEN_INTRA_DOC_LINKS as an example).
911///
912/// Commands to view and test the documentation:
913///
914/// * `./x.py doc --stage=1 src/doc/rustc --open`: Builds the rustc book and opens it.
915/// * `./x.py test src/tools/lint-docs`: Validates that the lint docs have the
916///   correct style, and that the code example actually emits the expected
917///   lint.
918///
919/// If you have already built the compiler, and you want to make changes to
920/// just the doc comments, then use the `--keep-stage=0` flag with the above
921/// commands to avoid rebuilding the compiler.
922#[macro_export]
923macro_rules! declare_lint {
924    ($(#[$attr:meta])* $vis: vis $NAME: ident, $Level: ident, $desc: expr) => (
925        $crate::declare_lint!(
926            $(#[$attr])* $vis $NAME, $Level, $desc,
927        );
928    );
929    ($(#[$attr:meta])* $vis: vis $NAME: ident, $Level: ident, $desc: expr,
930     $(@eval_always = $eval_always:literal)?
931     $(@feature_gate = $gate:ident;)?
932     $(@future_incompatible = FutureIncompatibleInfo {
933        reason: $reason:expr,
934        $($field:ident : $val:expr),* $(,)*
935     }; )?
936     $(@edition $lint_edition:ident => $edition_level:ident;)?
937     $($v:ident),*) => (
938        $(#[$attr])*
939        $vis static $NAME: &$crate::Lint = &$crate::Lint {
940            name: stringify!($NAME),
941            default_level: $crate::$Level,
942            desc: $desc,
943            is_externally_loaded: false,
944            $($v: true,)*
945            $(feature_gate: Some(rustc_span::sym::$gate),)?
946            $(future_incompatible: Some($crate::FutureIncompatibleInfo {
947                reason: $reason,
948                $($field: $val,)*
949                ..$crate::FutureIncompatibleInfo::default_fields_for_macro()
950            }),)?
951            $(edition_lint_opts: Some(($crate::Edition::$lint_edition, $crate::$edition_level)),)?
952            $(eval_always: $eval_always,)?
953            ..$crate::Lint::default_fields_for_macro()
954        };
955    );
956}
957
958#[macro_export]
959macro_rules! declare_tool_lint {
960    (
961        $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level: ident, $desc: expr
962        $(, @eval_always = $eval_always:literal)?
963        $(, @feature_gate = $gate:ident;)?
964    ) => (
965        $crate::declare_tool_lint!{$(#[$attr])* $vis $tool::$NAME, $Level, $desc, false $(, @eval_always = $eval_always)? $(, @feature_gate = $gate;)?}
966    );
967    (
968        $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level:ident, $desc:expr,
969        report_in_external_macro: $rep:expr
970        $(, @eval_always = $eval_always: literal)?
971        $(, @feature_gate = $gate:ident;)?
972    ) => (
973         $crate::declare_tool_lint!{$(#[$attr])* $vis $tool::$NAME, $Level, $desc, $rep  $(, @eval_always = $eval_always)? $(, @feature_gate = $gate;)?}
974    );
975    (
976        $(#[$attr:meta])* $vis:vis $tool:ident ::$NAME:ident, $Level:ident, $desc:expr,
977        $external:expr
978        $(, @eval_always = $eval_always: literal)?
979        $(, @feature_gate = $gate:ident;)?
980    ) => (
981        $(#[$attr])*
982        $vis static $NAME: &$crate::Lint = &$crate::Lint {
983            name: &concat!(stringify!($tool), "::", stringify!($NAME)),
984            default_level: $crate::$Level,
985            desc: $desc,
986            edition_lint_opts: None,
987            report_in_external_macro: $external,
988            future_incompatible: None,
989            is_externally_loaded: true,
990            $(feature_gate: Some(rustc_span::sym::$gate),)?
991            crate_level_only: false,
992            $(eval_always: $eval_always,)?
993            ..$crate::Lint::default_fields_for_macro()
994        };
995    );
996}
997
998pub type LintVec = Vec<&'static Lint>;
999
1000pub trait LintPass {
1001    fn name(&self) -> &'static str;
1002    fn get_lints(&self) -> LintVec;
1003}
1004
1005/// Implements `LintPass for $ty` with the given list of `Lint` statics.
1006#[macro_export]
1007macro_rules! impl_lint_pass {
1008    ($ty:ty => [$($lint:expr),* $(,)?]) => {
1009        impl $crate::LintPass for $ty {
1010            fn name(&self) -> &'static str { stringify!($ty) }
1011            fn get_lints(&self) -> $crate::LintVec { vec![$($lint),*] }
1012        }
1013        impl $ty {
1014            #[allow(unused)]
1015            pub fn lint_vec() -> $crate::LintVec { vec![$($lint),*] }
1016        }
1017    };
1018}
1019
1020/// Declares a type named `$name` which implements `LintPass`.
1021/// To the right of `=>` a comma separated list of `Lint` statics is given.
1022#[macro_export]
1023macro_rules! declare_lint_pass {
1024    ($(#[$m:meta])* $name:ident => [$($lint:expr),* $(,)?]) => {
1025        $(#[$m])* #[derive(Copy, Clone)] pub struct $name;
1026        $crate::impl_lint_pass!($name => [$($lint),*]);
1027    };
1028}