Skip to main content

rustc_lint/
builtin.rs

1//! Lints in the Rust compiler.
2//!
3//! This contains lints which can feasibly be implemented as their own
4//! AST visitor. Also see `rustc_session::lint::builtin`, which contains the
5//! definitions of lints that are emitted directly inside the main compiler.
6//!
7//! To add a new lint to rustc, declare it here using [`declare_lint!`].
8//! Then add code to emit the new lint in the appropriate circumstances.
9//!
10//! If you define a new [`EarlyLintPass`], you will also need to add it to the
11//! [`crate::early_lint_methods!`] invocation in `lib.rs`.
12//!
13//! If you define a new [`LateLintPass`], you will also need to add it to the
14//! [`crate::late_lint_methods!`] invocation in `lib.rs`.
15
16use std::fmt::Write;
17
18use ast::token::TokenKind;
19use rustc_abi::BackendRepr;
20use rustc_ast::tokenstream::{TokenStream, TokenTree};
21use rustc_ast::visit::{FnCtxt, FnKind};
22use rustc_ast::{self as ast, *};
23use rustc_ast_pretty::pprust::expr_to_string;
24use rustc_attr_parsing::AttributeParser;
25use rustc_errors::{Applicability, Diagnostic, msg};
26use rustc_feature::GateIssue;
27use rustc_hir::attrs::{AttributeKind, DocAttribute};
28use rustc_hir::def::{DefKind, Res};
29use rustc_hir::def_id::{CRATE_DEF_ID, DefId, LocalDefId};
30use rustc_hir::intravisit::FnKind as HirFnKind;
31use rustc_hir::{self as hir, Body, FnDecl, ImplItemImplKind, PatKind, PredicateOrigin, find_attr};
32use rustc_middle::bug;
33use rustc_middle::lint::LevelAndSource;
34use rustc_middle::ty::layout::LayoutOf;
35use rustc_middle::ty::print::with_no_trimmed_paths;
36use rustc_middle::ty::{self, AssocContainer, Ty, TyCtxt, TypeVisitableExt, Upcast, VariantDef};
37// hardwired lints from rustc_lint_defs
38pub use rustc_session::lint::builtin::*;
39use rustc_session::lint::fcw;
40use rustc_session::{declare_lint, declare_lint_pass, impl_lint_pass};
41use rustc_span::edition::Edition;
42use rustc_span::source_map::Spanned;
43use rustc_span::{DUMMY_SP, Ident, InnerSpan, Span, Symbol, kw, sym};
44use rustc_target::asm::InlineAsmArch;
45use rustc_trait_selection::infer::{InferCtxtExt, TyCtxtInferExt};
46use rustc_trait_selection::traits;
47use rustc_trait_selection::traits::misc::type_allowed_to_implement_copy;
48use rustc_trait_selection::traits::query::evaluate_obligation::InferCtxtExt as _;
49
50use crate::errors::BuiltinEllipsisInclusiveRangePatterns;
51use crate::lints::{
52    BuiltinAnonymousParams, BuiltinConstNoMangle, BuiltinDerefNullptr, BuiltinDoubleNegations,
53    BuiltinDoubleNegationsAddParens, BuiltinEllipsisInclusiveRangePatternsLint,
54    BuiltinExplicitOutlives, BuiltinExplicitOutlivesSuggestion, BuiltinFeatureIssueNote,
55    BuiltinIncompleteFeatures, BuiltinIncompleteFeaturesHelp, BuiltinInternalFeatures,
56    BuiltinKeywordIdents, BuiltinMissingCopyImpl, BuiltinMissingDebugImpl, BuiltinMissingDoc,
57    BuiltinMutablesTransmutes, BuiltinNoMangleGeneric, BuiltinNonShorthandFieldPatterns,
58    BuiltinSpecialModuleNameUsed, BuiltinTrivialBounds, BuiltinTypeAliasBounds,
59    BuiltinUngatedAsyncFnTrackCaller, BuiltinUnpermittedTypeInit, BuiltinUnpermittedTypeInitSub,
60    BuiltinUnreachablePub, BuiltinUnsafe, BuiltinUnstableFeatures, BuiltinUnusedDocComment,
61    BuiltinUnusedDocCommentSub, BuiltinWhileTrue, EqInternalMethodImplemented, InvalidAsmLabel,
62};
63use crate::{EarlyContext, EarlyLintPass, LateContext, LateLintPass, Level, LintContext};
64#[doc = r" The `while_true` lint detects `while true { }`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,no_run"]
#[doc = r" while true {"]
#[doc = r""]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" `while true` should be replaced with `loop`. A `loop` expression is"]
#[doc =
r" the preferred way to write an infinite loop because it more directly"]
#[doc = r" expresses the intent of the loop."]
static WHILE_TRUE: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "WHILE_TRUE",
            default_level: ::rustc_lint_defs::Warn,
            desc: "suggest using `loop { }` instead of `while true { }`",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
65    /// The `while_true` lint detects `while true { }`.
66    ///
67    /// ### Example
68    ///
69    /// ```rust,no_run
70    /// while true {
71    ///
72    /// }
73    /// ```
74    ///
75    /// {{produces}}
76    ///
77    /// ### Explanation
78    ///
79    /// `while true` should be replaced with `loop`. A `loop` expression is
80    /// the preferred way to write an infinite loop because it more directly
81    /// expresses the intent of the loop.
82    WHILE_TRUE,
83    Warn,
84    "suggest using `loop { }` instead of `while true { }`"
85}
86
87pub struct WhileTrue;
#[automatically_derived]
impl ::core::marker::Copy for WhileTrue { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for WhileTrue { }
#[automatically_derived]
impl ::core::clone::Clone for WhileTrue {
    #[inline]
    fn clone(&self) -> WhileTrue { *self }
}
impl ::rustc_lint_defs::LintPass for WhileTrue {
    fn name(&self) -> &'static str { "WhileTrue" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [WHILE_TRUE]))
    }
}
impl WhileTrue {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [WHILE_TRUE]))
    }
}declare_lint_pass!(WhileTrue => [WHILE_TRUE]);
88
89impl EarlyLintPass for WhileTrue {
90    #[inline]
91    fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
92        if let ast::ExprKind::While(cond, _, label) = &e.kind
93            && let ast::ExprKind::Lit(token_lit) = cond.peel_parens().kind
94            && let token::Lit { kind: token::Bool, symbol: kw::True, .. } = token_lit
95            && !cond.span.from_expansion()
96        {
97            let condition_span = e.span.with_hi(cond.span.hi());
98            let replace = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("{0}loop",
                label.map_or_else(String::new,
                    |label|
                        ::alloc::__export::must_use({
                                ::alloc::fmt::format(format_args!("{0}: ", label.ident))
                            }))))
    })format!(
99                "{}loop",
100                label.map_or_else(String::new, |label| format!("{}: ", label.ident,))
101            );
102            cx.emit_span_lint(
103                WHILE_TRUE,
104                condition_span,
105                BuiltinWhileTrue { suggestion: condition_span, replace },
106            );
107        }
108    }
109}
110
111#[doc =
r" The `non_shorthand_field_patterns` lint detects using `Struct { x: x }`"]
#[doc = r" instead of `Struct { x }` in a pattern."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" struct Point {"]
#[doc = r"     x: i32,"]
#[doc = r"     y: i32,"]
#[doc = r" }"]
#[doc = r""]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r"     let p = Point {"]
#[doc = r"         x: 5,"]
#[doc = r"         y: 5,"]
#[doc = r"     };"]
#[doc = r""]
#[doc = r"     match p {"]
#[doc = r"         Point { x: x, y: y } => (),"]
#[doc = r"     }"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" The preferred style is to avoid the repetition of specifying both the"]
#[doc = r" field name and the binding name if both identifiers are the same."]
static NON_SHORTHAND_FIELD_PATTERNS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "NON_SHORTHAND_FIELD_PATTERNS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "using `Struct { x: x }` instead of `Struct { x }` in a pattern",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
112    /// The `non_shorthand_field_patterns` lint detects using `Struct { x: x }`
113    /// instead of `Struct { x }` in a pattern.
114    ///
115    /// ### Example
116    ///
117    /// ```rust
118    /// struct Point {
119    ///     x: i32,
120    ///     y: i32,
121    /// }
122    ///
123    ///
124    /// fn main() {
125    ///     let p = Point {
126    ///         x: 5,
127    ///         y: 5,
128    ///     };
129    ///
130    ///     match p {
131    ///         Point { x: x, y: y } => (),
132    ///     }
133    /// }
134    /// ```
135    ///
136    /// {{produces}}
137    ///
138    /// ### Explanation
139    ///
140    /// The preferred style is to avoid the repetition of specifying both the
141    /// field name and the binding name if both identifiers are the same.
142    NON_SHORTHAND_FIELD_PATTERNS,
143    Warn,
144    "using `Struct { x: x }` instead of `Struct { x }` in a pattern"
145}
146
147pub struct NonShorthandFieldPatterns;
#[automatically_derived]
impl ::core::marker::Copy for NonShorthandFieldPatterns { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for NonShorthandFieldPatterns { }
#[automatically_derived]
impl ::core::clone::Clone for NonShorthandFieldPatterns {
    #[inline]
    fn clone(&self) -> NonShorthandFieldPatterns { *self }
}
impl ::rustc_lint_defs::LintPass for NonShorthandFieldPatterns {
    fn name(&self) -> &'static str { "NonShorthandFieldPatterns" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NON_SHORTHAND_FIELD_PATTERNS]))
    }
}
impl NonShorthandFieldPatterns {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NON_SHORTHAND_FIELD_PATTERNS]))
    }
}declare_lint_pass!(NonShorthandFieldPatterns => [NON_SHORTHAND_FIELD_PATTERNS]);
148
149impl<'tcx> LateLintPass<'tcx> for NonShorthandFieldPatterns {
150    fn check_pat(&mut self, cx: &LateContext<'_>, pat: &hir::Pat<'_>) {
151        // The result shouldn't be tainted, otherwise it will cause ICE.
152        if let PatKind::Struct(ref qpath, field_pats, _) = pat.kind
153            && cx.typeck_results().tainted_by_errors.is_none()
154        {
155            let variant = cx
156                .typeck_results()
157                .pat_ty(pat)
158                .ty_adt_def()
159                .expect("struct pattern type is not an ADT")
160                .variant_of_res(cx.qpath_res(qpath, pat.hir_id));
161            for fieldpat in field_pats {
162                if fieldpat.is_shorthand {
163                    continue;
164                }
165                if fieldpat.span.from_expansion() {
166                    // Don't lint if this is a macro expansion: macro authors
167                    // shouldn't have to worry about this kind of style issue
168                    // (Issue #49588)
169                    continue;
170                }
171                if let PatKind::Binding(binding_annot, _, ident, None) = fieldpat.pat.kind {
172                    if cx.tcx.find_field_index(ident, variant)
173                        == Some(cx.typeck_results().field_index(fieldpat.hir_id))
174                    {
175                        cx.emit_span_lint(
176                            NON_SHORTHAND_FIELD_PATTERNS,
177                            fieldpat.span,
178                            BuiltinNonShorthandFieldPatterns {
179                                ident,
180                                suggestion: fieldpat.span,
181                                prefix: binding_annot.prefix_str(),
182                            },
183                        );
184                    }
185                }
186            }
187        }
188    }
189}
190
191#[doc = r" The `unsafe_code` lint catches usage of `unsafe` code and other"]
#[doc = r" potentially unsound constructs like `no_mangle`, `export_name`,"]
#[doc = r" and `link_section`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(unsafe_code)]"]
#[doc = r" fn main() {"]
#[doc = r"     unsafe {"]
#[doc = r""]
#[doc = r"     }"]
#[doc = r" }"]
#[doc = r""]
#[doc = r" #[no_mangle]"]
#[doc = r" fn func_0() { }"]
#[doc = r""]
#[doc = r#" #[export_name = "exported_symbol_name"]"#]
#[doc = r" pub fn name_in_rust() { }"]
#[doc = r""]
#[doc = r" #[no_mangle]"]
#[doc = r#" #[link_section = ".example_section"]"#]
#[doc = r" pub static VAR1: u32 = 1;"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" This lint is intended to restrict the usage of `unsafe` blocks and other"]
#[doc =
r" constructs (including, but not limited to `no_mangle`, `link_section`"]
#[doc =
r" and `export_name` attributes) wrong usage of which causes undefined"]
#[doc = r" behavior."]
static UNSAFE_CODE: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "UNSAFE_CODE",
            default_level: ::rustc_lint_defs::Allow,
            desc: "usage of `unsafe` code and other potentially unsound constructs",
            is_externally_loaded: false,
            eval_always: true,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
192    /// The `unsafe_code` lint catches usage of `unsafe` code and other
193    /// potentially unsound constructs like `no_mangle`, `export_name`,
194    /// and `link_section`.
195    ///
196    /// ### Example
197    ///
198    /// ```rust,compile_fail
199    /// #![deny(unsafe_code)]
200    /// fn main() {
201    ///     unsafe {
202    ///
203    ///     }
204    /// }
205    ///
206    /// #[no_mangle]
207    /// fn func_0() { }
208    ///
209    /// #[export_name = "exported_symbol_name"]
210    /// pub fn name_in_rust() { }
211    ///
212    /// #[no_mangle]
213    /// #[link_section = ".example_section"]
214    /// pub static VAR1: u32 = 1;
215    /// ```
216    ///
217    /// {{produces}}
218    ///
219    /// ### Explanation
220    ///
221    /// This lint is intended to restrict the usage of `unsafe` blocks and other
222    /// constructs (including, but not limited to `no_mangle`, `link_section`
223    /// and `export_name` attributes) wrong usage of which causes undefined
224    /// behavior.
225    UNSAFE_CODE,
226    Allow,
227    "usage of `unsafe` code and other potentially unsound constructs",
228    @eval_always = true
229}
230
231pub struct UnsafeCode;
#[automatically_derived]
impl ::core::marker::Copy for UnsafeCode { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for UnsafeCode { }
#[automatically_derived]
impl ::core::clone::Clone for UnsafeCode {
    #[inline]
    fn clone(&self) -> UnsafeCode { *self }
}
impl ::rustc_lint_defs::LintPass for UnsafeCode {
    fn name(&self) -> &'static str { "UnsafeCode" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNSAFE_CODE]))
    }
}
impl UnsafeCode {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNSAFE_CODE]))
    }
}declare_lint_pass!(UnsafeCode => [UNSAFE_CODE]);
232
233impl UnsafeCode {
234    fn report_unsafe(
235        &self,
236        cx: &EarlyContext<'_>,
237        span: Span,
238        decorate: impl for<'a> Diagnostic<'a, ()>,
239    ) {
240        // This comes from a macro that has `#[allow_internal_unsafe]`.
241        if span.allows_unsafe() {
242            return;
243        }
244
245        cx.emit_span_lint(UNSAFE_CODE, span, decorate);
246    }
247}
248
249impl EarlyLintPass for UnsafeCode {
250    #[inline]
251    fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
252        if let ast::ExprKind::Block(ref blk, _) = e.kind {
253            // Don't warn about generated blocks; that'll just pollute the output.
254            if blk.rules == ast::BlockCheckMode::Unsafe(ast::UserProvided) {
255                self.report_unsafe(cx, blk.span, BuiltinUnsafe::UnsafeBlock);
256            }
257        }
258    }
259
260    fn check_item(&mut self, cx: &EarlyContext<'_>, it: &ast::Item) {
261        match it.kind {
262            ast::ItemKind::Trait(box ast::Trait { safety: ast::Safety::Unsafe(_), .. }) => {
263                self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeTrait);
264            }
265
266            ast::ItemKind::Impl(ast::Impl {
267                of_trait: Some(box ast::TraitImplHeader { safety: ast::Safety::Unsafe(_), .. }),
268                ..
269            }) => {
270                self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeImpl);
271            }
272
273            ast::ItemKind::Fn(..) => {
274                if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
275                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleFn);
276                }
277
278                if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
279                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameFn);
280                }
281
282                if let Some(attr) = attr::find_by_name(&it.attrs, sym::link_section) {
283                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::LinkSectionFn);
284                }
285            }
286
287            ast::ItemKind::Static(..) => {
288                if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
289                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleStatic);
290                }
291
292                if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
293                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameStatic);
294                }
295
296                if let Some(attr) = attr::find_by_name(&it.attrs, sym::link_section) {
297                    self.report_unsafe(cx, attr.span, BuiltinUnsafe::LinkSectionStatic);
298                }
299            }
300
301            ast::ItemKind::GlobalAsm(..) => {
302                self.report_unsafe(cx, it.span, BuiltinUnsafe::GlobalAsm);
303            }
304
305            ast::ItemKind::ForeignMod(ForeignMod { safety, .. }) => {
306                if let Safety::Unsafe(_) = safety {
307                    self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeExternBlock);
308                }
309            }
310
311            ast::ItemKind::MacroDef(..) => {
312                if let Some(hir::Attribute::Parsed(AttributeKind::AllowInternalUnsafe(span))) =
313                    AttributeParser::parse_limited(
314                        cx.builder.sess(),
315                        &it.attrs,
316                        sym::allow_internal_unsafe,
317                        it.span,
318                        DUMMY_NODE_ID,
319                        Some(cx.builder.features()),
320                    )
321                {
322                    self.report_unsafe(cx, span, BuiltinUnsafe::AllowInternalUnsafe);
323                }
324            }
325
326            _ => {}
327        }
328    }
329
330    fn check_impl_item(&mut self, cx: &EarlyContext<'_>, it: &ast::AssocItem) {
331        if let ast::AssocItemKind::Fn(..) = it.kind {
332            if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
333                self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleMethod);
334            }
335            if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
336                self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameMethod);
337            }
338        }
339    }
340
341    fn check_fn(&mut self, cx: &EarlyContext<'_>, fk: FnKind<'_>, span: Span, _: ast::NodeId) {
342        if let FnKind::Fn(
343            ctxt,
344            _,
345            ast::Fn {
346                sig: ast::FnSig { header: ast::FnHeader { safety: ast::Safety::Unsafe(_), .. }, .. },
347                body,
348                ..
349            },
350        ) = fk
351        {
352            let decorator = match ctxt {
353                FnCtxt::Foreign => return,
354                FnCtxt::Free => BuiltinUnsafe::DeclUnsafeFn,
355                FnCtxt::Assoc(_) if body.is_none() => BuiltinUnsafe::DeclUnsafeMethod,
356                FnCtxt::Assoc(_) => BuiltinUnsafe::ImplUnsafeMethod,
357            };
358            self.report_unsafe(cx, span, decorator);
359        }
360    }
361}
362
363#[doc =
r" The `missing_docs` lint detects missing documentation for public items."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(missing_docs)]"]
#[doc = r" pub fn foo() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" This lint is intended to ensure that a library is well-documented."]
#[doc =
r" Items without documentation can be difficult for users to understand"]
#[doc = r" how to use properly."]
#[doc = r""]
#[doc =
r#" This lint is "allow" by default because it can be noisy, and not all"#]
#[doc = r" projects may want to enforce everything to be documented."]
pub static MISSING_DOCS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "MISSING_DOCS",
            default_level: ::rustc_lint_defs::Allow,
            desc: "detects missing documentation for public members",
            is_externally_loaded: false,
            report_in_external_macro: true,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
364    /// The `missing_docs` lint detects missing documentation for public items.
365    ///
366    /// ### Example
367    ///
368    /// ```rust,compile_fail
369    /// #![deny(missing_docs)]
370    /// pub fn foo() {}
371    /// ```
372    ///
373    /// {{produces}}
374    ///
375    /// ### Explanation
376    ///
377    /// This lint is intended to ensure that a library is well-documented.
378    /// Items without documentation can be difficult for users to understand
379    /// how to use properly.
380    ///
381    /// This lint is "allow" by default because it can be noisy, and not all
382    /// projects may want to enforce everything to be documented.
383    pub MISSING_DOCS,
384    Allow,
385    "detects missing documentation for public members",
386    report_in_external_macro
387}
388
389#[derive(#[automatically_derived]
impl ::core::default::Default for MissingDoc {
    #[inline]
    fn default() -> MissingDoc { MissingDoc {} }
}Default)]
390pub struct MissingDoc;
391
392impl ::rustc_lint_defs::LintPass for MissingDoc {
    fn name(&self) -> &'static str { "MissingDoc" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_DOCS]))
    }
}
impl MissingDoc {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_DOCS]))
    }
}impl_lint_pass!(MissingDoc => [MISSING_DOCS]);
393
394fn has_doc(attr: &hir::Attribute) -> bool {
395    if #[allow(non_exhaustive_omitted_patterns)] match attr {
    hir::Attribute::Parsed(AttributeKind::DocComment { .. }) => true,
    _ => false,
}matches!(attr, hir::Attribute::Parsed(AttributeKind::DocComment { .. })) {
396        return true;
397    }
398
399    if let hir::Attribute::Parsed(AttributeKind::Doc(d)) = attr
400        && #[allow(non_exhaustive_omitted_patterns)] match d.as_ref() {
    DocAttribute { hidden: Some(..), .. } => true,
    _ => false,
}matches!(d.as_ref(), DocAttribute { hidden: Some(..), .. })
401    {
402        return true;
403    }
404
405    false
406}
407
408impl MissingDoc {
409    fn check_missing_docs_attrs(
410        &self,
411        cx: &LateContext<'_>,
412        def_id: LocalDefId,
413        article: &'static str,
414        desc: &'static str,
415    ) {
416        // Only check publicly-visible items, using the result from the privacy pass.
417        // It's an option so the crate root can also use this function (it doesn't
418        // have a `NodeId`).
419        if def_id != CRATE_DEF_ID && !cx.effective_visibilities.is_exported(def_id) {
420            return;
421        }
422
423        let attrs = cx.tcx.hir_attrs(cx.tcx.local_def_id_to_hir_id(def_id));
424        let has_doc = attrs.iter().any(has_doc);
425        if !has_doc {
426            cx.emit_span_lint(
427                MISSING_DOCS,
428                cx.tcx.def_span(def_id),
429                BuiltinMissingDoc { article, desc },
430            );
431        }
432    }
433}
434
435impl<'tcx> LateLintPass<'tcx> for MissingDoc {
436    fn check_crate(&mut self, cx: &LateContext<'_>) {
437        self.check_missing_docs_attrs(cx, CRATE_DEF_ID, "the", "crate");
438    }
439
440    fn check_item(&mut self, cx: &LateContext<'_>, it: &hir::Item<'_>) {
441        // Previously the Impl and Use types have been excluded from missing docs,
442        // so we will continue to exclude them for compatibility.
443        //
444        // The documentation on `ExternCrate` is not used at the moment so no need to warn for it.
445        if let hir::ItemKind::Impl(..) | hir::ItemKind::Use(..) | hir::ItemKind::ExternCrate(..) =
446            it.kind
447        {
448            return;
449        }
450
451        let (article, desc) = cx.tcx.article_and_description(it.owner_id.to_def_id());
452        self.check_missing_docs_attrs(cx, it.owner_id.def_id, article, desc);
453    }
454
455    fn check_trait_item(&mut self, cx: &LateContext<'_>, trait_item: &hir::TraitItem<'_>) {
456        let (article, desc) = cx.tcx.article_and_description(trait_item.owner_id.to_def_id());
457
458        self.check_missing_docs_attrs(cx, trait_item.owner_id.def_id, article, desc);
459    }
460
461    fn check_impl_item(&mut self, cx: &LateContext<'_>, impl_item: &hir::ImplItem<'_>) {
462        let container = cx.tcx.associated_item(impl_item.owner_id.def_id).container;
463
464        match container {
465            // If the method is an impl for a trait, don't doc.
466            AssocContainer::TraitImpl(_) => return,
467            AssocContainer::Trait => {}
468            // If the method is an impl for an item with docs_hidden, don't doc.
469            AssocContainer::InherentImpl => {
470                let parent = cx.tcx.hir_get_parent_item(impl_item.hir_id());
471                let impl_ty = cx.tcx.type_of(parent).instantiate_identity();
472                let outerdef = match impl_ty.kind() {
473                    ty::Adt(def, _) => Some(def.did()),
474                    ty::Foreign(def_id) => Some(*def_id),
475                    _ => None,
476                };
477                let is_hidden = match outerdef {
478                    Some(id) => cx.tcx.is_doc_hidden(id),
479                    None => false,
480                };
481                if is_hidden {
482                    return;
483                }
484            }
485        }
486
487        let (article, desc) = cx.tcx.article_and_description(impl_item.owner_id.to_def_id());
488        self.check_missing_docs_attrs(cx, impl_item.owner_id.def_id, article, desc);
489    }
490
491    fn check_foreign_item(&mut self, cx: &LateContext<'_>, foreign_item: &hir::ForeignItem<'_>) {
492        let (article, desc) = cx.tcx.article_and_description(foreign_item.owner_id.to_def_id());
493        self.check_missing_docs_attrs(cx, foreign_item.owner_id.def_id, article, desc);
494    }
495
496    fn check_field_def(&mut self, cx: &LateContext<'_>, sf: &hir::FieldDef<'_>) {
497        if !sf.is_positional() {
498            self.check_missing_docs_attrs(cx, sf.def_id, "a", "struct field")
499        }
500    }
501
502    fn check_variant(&mut self, cx: &LateContext<'_>, v: &hir::Variant<'_>) {
503        self.check_missing_docs_attrs(cx, v.def_id, "a", "variant");
504    }
505}
506
507#[doc =
r" The `missing_copy_implementations` lint detects potentially-forgotten"]
#[doc = r" implementations of [`Copy`] for public types."]
#[doc = r""]
#[doc = r" [`Copy`]: https://doc.rust-lang.org/std/marker/trait.Copy.html"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(missing_copy_implementations)]"]
#[doc = r" pub struct Foo {"]
#[doc = r"     pub field: i32"]
#[doc = r" }"]
#[doc = r" # fn main() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Historically (before 1.0), types were automatically marked as `Copy`"]
#[doc =
r" if possible. This was changed so that it required an explicit opt-in"]
#[doc =
r" by implementing the `Copy` trait. As part of this change, a lint was"]
#[doc = r" added to alert if a copyable type was not marked `Copy`."]
#[doc = r""]
#[doc =
r#" This lint is "allow" by default because this code isn't bad; it is"#]
#[doc =
r" common to write newtypes like this specifically so that a `Copy` type"]
#[doc =
r" is no longer `Copy`. `Copy` types can result in unintended copies of"]
#[doc = r" large data which can impact performance."]
pub static MISSING_COPY_IMPLEMENTATIONS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "MISSING_COPY_IMPLEMENTATIONS",
            default_level: ::rustc_lint_defs::Allow,
            desc: "detects potentially-forgotten implementations of `Copy`",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
508    /// The `missing_copy_implementations` lint detects potentially-forgotten
509    /// implementations of [`Copy`] for public types.
510    ///
511    /// [`Copy`]: https://doc.rust-lang.org/std/marker/trait.Copy.html
512    ///
513    /// ### Example
514    ///
515    /// ```rust,compile_fail
516    /// #![deny(missing_copy_implementations)]
517    /// pub struct Foo {
518    ///     pub field: i32
519    /// }
520    /// # fn main() {}
521    /// ```
522    ///
523    /// {{produces}}
524    ///
525    /// ### Explanation
526    ///
527    /// Historically (before 1.0), types were automatically marked as `Copy`
528    /// if possible. This was changed so that it required an explicit opt-in
529    /// by implementing the `Copy` trait. As part of this change, a lint was
530    /// added to alert if a copyable type was not marked `Copy`.
531    ///
532    /// This lint is "allow" by default because this code isn't bad; it is
533    /// common to write newtypes like this specifically so that a `Copy` type
534    /// is no longer `Copy`. `Copy` types can result in unintended copies of
535    /// large data which can impact performance.
536    pub MISSING_COPY_IMPLEMENTATIONS,
537    Allow,
538    "detects potentially-forgotten implementations of `Copy`"
539}
540
541pub struct MissingCopyImplementations;
#[automatically_derived]
impl ::core::marker::Copy for MissingCopyImplementations { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for MissingCopyImplementations { }
#[automatically_derived]
impl ::core::clone::Clone for MissingCopyImplementations {
    #[inline]
    fn clone(&self) -> MissingCopyImplementations { *self }
}
impl ::rustc_lint_defs::LintPass for MissingCopyImplementations {
    fn name(&self) -> &'static str { "MissingCopyImplementations" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_COPY_IMPLEMENTATIONS]))
    }
}
impl MissingCopyImplementations {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_COPY_IMPLEMENTATIONS]))
    }
}declare_lint_pass!(MissingCopyImplementations => [MISSING_COPY_IMPLEMENTATIONS]);
542
543impl<'tcx> LateLintPass<'tcx> for MissingCopyImplementations {
544    fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
545        if !cx.effective_visibilities.is_reachable(item.owner_id.def_id) {
546            return;
547        }
548        let (def, ty) = match item.kind {
549            hir::ItemKind::Struct(_, generics, _) => {
550                if !generics.params.is_empty() {
551                    return;
552                }
553                let def = cx.tcx.adt_def(item.owner_id);
554                (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
555            }
556            hir::ItemKind::Union(_, generics, _) => {
557                if !generics.params.is_empty() {
558                    return;
559                }
560                let def = cx.tcx.adt_def(item.owner_id);
561                (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
562            }
563            hir::ItemKind::Enum(_, generics, _) => {
564                if !generics.params.is_empty() {
565                    return;
566                }
567                let def = cx.tcx.adt_def(item.owner_id);
568                (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
569            }
570            _ => return,
571        };
572        if def.has_dtor(cx.tcx) {
573            return;
574        }
575
576        // If the type contains a raw pointer, it may represent something like a handle,
577        // and recommending Copy might be a bad idea.
578        for field in def.all_fields() {
579            let did = field.did;
580            if cx.tcx.type_of(did).instantiate_identity().is_raw_ptr() {
581                return;
582            }
583        }
584        if cx.type_is_copy_modulo_regions(ty) {
585            return;
586        }
587        if type_implements_negative_copy_modulo_regions(cx.tcx, ty, cx.typing_env()) {
588            return;
589        }
590        if def.is_variant_list_non_exhaustive()
591            || def.variants().iter().any(|variant| variant.is_field_list_non_exhaustive())
592        {
593            return;
594        }
595
596        // We shouldn't recommend implementing `Copy` on stateful things,
597        // such as iterators.
598        if let Some(iter_trait) = cx.tcx.get_diagnostic_item(sym::Iterator)
599            && cx
600                .tcx
601                .infer_ctxt()
602                .build(cx.typing_mode())
603                .type_implements_trait(iter_trait, [ty], cx.param_env)
604                .must_apply_modulo_regions()
605        {
606            return;
607        }
608
609        // Default value of clippy::trivially_copy_pass_by_ref
610        const MAX_SIZE: u64 = 256;
611
612        if let Some(size) = cx.layout_of(ty).ok().map(|l| l.size.bytes()) {
613            if size > MAX_SIZE {
614                return;
615            }
616        }
617
618        if type_allowed_to_implement_copy(
619            cx.tcx,
620            cx.param_env,
621            ty,
622            traits::ObligationCause::misc(item.span, item.owner_id.def_id),
623            hir::Safety::Safe,
624        )
625        .is_ok()
626        {
627            cx.emit_span_lint(MISSING_COPY_IMPLEMENTATIONS, item.span, BuiltinMissingCopyImpl);
628        }
629    }
630}
631
632/// Check whether a `ty` has a negative `Copy` implementation, ignoring outlives constraints.
633fn type_implements_negative_copy_modulo_regions<'tcx>(
634    tcx: TyCtxt<'tcx>,
635    ty: Ty<'tcx>,
636    typing_env: ty::TypingEnv<'tcx>,
637) -> bool {
638    let (infcx, param_env) = tcx.infer_ctxt().build_with_typing_env(typing_env);
639    let trait_ref =
640        ty::TraitRef::new(tcx, tcx.require_lang_item(hir::LangItem::Copy, DUMMY_SP), [ty]);
641    let pred = ty::TraitPredicate { trait_ref, polarity: ty::PredicatePolarity::Negative };
642    let obligation = traits::Obligation {
643        cause: traits::ObligationCause::dummy(),
644        param_env,
645        recursion_depth: 0,
646        predicate: pred.upcast(tcx),
647    };
648    infcx.predicate_must_hold_modulo_regions(&obligation)
649}
650
651#[doc = r" The `missing_debug_implementations` lint detects missing"]
#[doc = r" implementations of [`fmt::Debug`] for public types."]
#[doc = r""]
#[doc =
r" [`fmt::Debug`]: https://doc.rust-lang.org/std/fmt/trait.Debug.html"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(missing_debug_implementations)]"]
#[doc = r" pub struct Foo;"]
#[doc = r" # fn main() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Having a `Debug` implementation on all types can assist with"]
#[doc =
r" debugging, as it provides a convenient way to format and display a"]
#[doc = r" value. Using the `#[derive(Debug)]` attribute will automatically"]
#[doc =
r" generate a typical implementation, or a custom implementation can be"]
#[doc = r" added by manually implementing the `Debug` trait."]
#[doc = r""]
#[doc =
r#" This lint is "allow" by default because adding `Debug` to all types can"#]
#[doc =
r" have a negative impact on compile time and code size. It also requires"]
#[doc =
r" boilerplate to be added to every type, which can be an impediment."]
static MISSING_DEBUG_IMPLEMENTATIONS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "MISSING_DEBUG_IMPLEMENTATIONS",
            default_level: ::rustc_lint_defs::Allow,
            desc: "detects missing implementations of Debug",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
652    /// The `missing_debug_implementations` lint detects missing
653    /// implementations of [`fmt::Debug`] for public types.
654    ///
655    /// [`fmt::Debug`]: https://doc.rust-lang.org/std/fmt/trait.Debug.html
656    ///
657    /// ### Example
658    ///
659    /// ```rust,compile_fail
660    /// #![deny(missing_debug_implementations)]
661    /// pub struct Foo;
662    /// # fn main() {}
663    /// ```
664    ///
665    /// {{produces}}
666    ///
667    /// ### Explanation
668    ///
669    /// Having a `Debug` implementation on all types can assist with
670    /// debugging, as it provides a convenient way to format and display a
671    /// value. Using the `#[derive(Debug)]` attribute will automatically
672    /// generate a typical implementation, or a custom implementation can be
673    /// added by manually implementing the `Debug` trait.
674    ///
675    /// This lint is "allow" by default because adding `Debug` to all types can
676    /// have a negative impact on compile time and code size. It also requires
677    /// boilerplate to be added to every type, which can be an impediment.
678    MISSING_DEBUG_IMPLEMENTATIONS,
679    Allow,
680    "detects missing implementations of Debug"
681}
682
683#[derive(#[automatically_derived]
impl ::core::default::Default for MissingDebugImplementations {
    #[inline]
    fn default() -> MissingDebugImplementations {
        MissingDebugImplementations {}
    }
}Default)]
684pub(crate) struct MissingDebugImplementations;
685
686impl ::rustc_lint_defs::LintPass for MissingDebugImplementations {
    fn name(&self) -> &'static str { "MissingDebugImplementations" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_DEBUG_IMPLEMENTATIONS]))
    }
}
impl MissingDebugImplementations {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MISSING_DEBUG_IMPLEMENTATIONS]))
    }
}impl_lint_pass!(MissingDebugImplementations => [MISSING_DEBUG_IMPLEMENTATIONS]);
687
688impl<'tcx> LateLintPass<'tcx> for MissingDebugImplementations {
689    fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
690        if !cx.effective_visibilities.is_reachable(item.owner_id.def_id) {
691            return;
692        }
693
694        match item.kind {
695            hir::ItemKind::Struct(..) | hir::ItemKind::Union(..) | hir::ItemKind::Enum(..) => {}
696            _ => return,
697        }
698
699        // Avoid listing trait impls if the trait is allowed.
700        let LevelAndSource { level, .. } =
701            cx.tcx.lint_level_at_node(MISSING_DEBUG_IMPLEMENTATIONS, item.hir_id());
702        if level == Level::Allow {
703            return;
704        }
705
706        let Some(debug) = cx.tcx.get_diagnostic_item(sym::Debug) else { return };
707
708        let has_impl = cx
709            .tcx
710            .non_blanket_impls_for_ty(debug, cx.tcx.type_of(item.owner_id).instantiate_identity())
711            .next()
712            .is_some();
713        if !has_impl {
714            cx.emit_span_lint(
715                MISSING_DEBUG_IMPLEMENTATIONS,
716                item.span,
717                BuiltinMissingDebugImpl { tcx: cx.tcx, def_id: debug },
718            );
719        }
720    }
721}
722
723#[doc =
r" The `anonymous_parameters` lint detects anonymous parameters in trait"]
#[doc = r" definitions."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,edition2015,compile_fail"]
#[doc = r" #![deny(anonymous_parameters)]"]
#[doc = r" // edition 2015"]
#[doc = r" pub trait Foo {"]
#[doc = r"     fn foo(usize);"]
#[doc = r" }"]
#[doc = r" fn main() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" This syntax is mostly a historical accident, and can be worked around"]
#[doc =
r" quite easily by adding an `_` pattern or a descriptive identifier:"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" trait Foo {"]
#[doc = r"     fn foo(_: usize);"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" This syntax is now a hard error in the 2018 edition. In the 2015"]
#[doc = r#" edition, this lint is "warn" by default. This lint"#]
#[doc = r" enables the [`cargo fix`] tool with the `--edition` flag to"]
#[doc =
r" automatically transition old code from the 2015 edition to 2018. The"]
#[doc = r" tool will run this lint and automatically apply the"]
#[doc = r" suggested fix from the compiler (which is to add `_` to each"]
#[doc =
r" parameter). This provides a completely automated way to update old"]
#[doc = r" code for a new edition. See [issue #41686] for more details."]
#[doc = r""]
#[doc = r" [issue #41686]: https://github.com/rust-lang/rust/issues/41686"]
#[doc =
r" [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html"]
pub static ANONYMOUS_PARAMETERS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "ANONYMOUS_PARAMETERS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "detects anonymous parameters",
            is_externally_loaded: false,
            future_incompatible: Some(::rustc_lint_defs::FutureIncompatibleInfo {
                    reason: ::rustc_lint_defs::FutureIncompatibilityReason::EditionError(::rustc_lint_defs::EditionFcw {
                            edition: rustc_span::edition::Edition::Edition2018,
                            page_slug: "trait-fn-parameters",
                        }),
                    ..::rustc_lint_defs::FutureIncompatibleInfo::default_fields_for_macro()
                }),
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
724    /// The `anonymous_parameters` lint detects anonymous parameters in trait
725    /// definitions.
726    ///
727    /// ### Example
728    ///
729    /// ```rust,edition2015,compile_fail
730    /// #![deny(anonymous_parameters)]
731    /// // edition 2015
732    /// pub trait Foo {
733    ///     fn foo(usize);
734    /// }
735    /// fn main() {}
736    /// ```
737    ///
738    /// {{produces}}
739    ///
740    /// ### Explanation
741    ///
742    /// This syntax is mostly a historical accident, and can be worked around
743    /// quite easily by adding an `_` pattern or a descriptive identifier:
744    ///
745    /// ```rust
746    /// trait Foo {
747    ///     fn foo(_: usize);
748    /// }
749    /// ```
750    ///
751    /// This syntax is now a hard error in the 2018 edition. In the 2015
752    /// edition, this lint is "warn" by default. This lint
753    /// enables the [`cargo fix`] tool with the `--edition` flag to
754    /// automatically transition old code from the 2015 edition to 2018. The
755    /// tool will run this lint and automatically apply the
756    /// suggested fix from the compiler (which is to add `_` to each
757    /// parameter). This provides a completely automated way to update old
758    /// code for a new edition. See [issue #41686] for more details.
759    ///
760    /// [issue #41686]: https://github.com/rust-lang/rust/issues/41686
761    /// [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html
762    pub ANONYMOUS_PARAMETERS,
763    Warn,
764    "detects anonymous parameters",
765    @future_incompatible = FutureIncompatibleInfo {
766        reason: fcw!(EditionError 2018 "trait-fn-parameters"),
767    };
768}
769
770#[doc = r" Checks for use of anonymous parameters (RFC 1685)."]
pub struct AnonymousParameters;
#[automatically_derived]
impl ::core::marker::Copy for AnonymousParameters { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for AnonymousParameters { }
#[automatically_derived]
impl ::core::clone::Clone for AnonymousParameters {
    #[inline]
    fn clone(&self) -> AnonymousParameters { *self }
}
impl ::rustc_lint_defs::LintPass for AnonymousParameters {
    fn name(&self) -> &'static str { "AnonymousParameters" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [ANONYMOUS_PARAMETERS]))
    }
}
impl AnonymousParameters {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [ANONYMOUS_PARAMETERS]))
    }
}declare_lint_pass!(
771    /// Checks for use of anonymous parameters (RFC 1685).
772    AnonymousParameters => [ANONYMOUS_PARAMETERS]
773);
774
775impl EarlyLintPass for AnonymousParameters {
776    fn check_trait_item(&mut self, cx: &EarlyContext<'_>, it: &ast::AssocItem) {
777        if cx.sess().edition() != Edition::Edition2015 {
778            // This is a hard error in future editions; avoid linting and erroring
779            return;
780        }
781        if let ast::AssocItemKind::Fn(box Fn { ref sig, .. }) = it.kind {
782            for arg in sig.decl.inputs.iter() {
783                if let ast::PatKind::Missing = arg.pat.kind {
784                    let ty_snip = cx.sess().source_map().span_to_snippet(arg.ty.span);
785
786                    let (ty_snip, appl) = if let Ok(ref snip) = ty_snip {
787                        (snip.as_str(), Applicability::MachineApplicable)
788                    } else {
789                        ("<type>", Applicability::HasPlaceholders)
790                    };
791                    cx.emit_span_lint(
792                        ANONYMOUS_PARAMETERS,
793                        arg.pat.span,
794                        BuiltinAnonymousParams { suggestion: (arg.pat.span, appl), ty_snip },
795                    );
796                }
797            }
798        }
799    }
800}
801
802fn warn_if_doc(cx: &EarlyContext<'_>, node_span: Span, node_kind: &str, attrs: &[ast::Attribute]) {
803    use rustc_ast::token::CommentKind;
804
805    let mut attrs = attrs.iter().peekable();
806
807    // Accumulate a single span for sugared doc comments.
808    let mut sugared_span: Option<Span> = None;
809
810    while let Some(attr) = attrs.next() {
811        let (is_doc_comment, is_doc_attribute) = match &attr.kind {
812            AttrKind::DocComment(..) => (true, false),
813            AttrKind::Normal(normal) if normal.item.path == sym::doc => (true, true),
814            _ => (false, false),
815        };
816        if is_doc_comment {
817            sugared_span =
818                Some(sugared_span.map_or(attr.span, |span| span.with_hi(attr.span.hi())));
819        }
820
821        if !is_doc_attribute && attrs.peek().is_some_and(|next_attr| next_attr.is_doc_comment()) {
822            continue;
823        }
824
825        let span = sugared_span.take().unwrap_or(attr.span);
826
827        if is_doc_comment || is_doc_attribute {
828            let sub = match attr.kind {
829                AttrKind::DocComment(CommentKind::Line, _) | AttrKind::Normal(..) => {
830                    BuiltinUnusedDocCommentSub::PlainHelp
831                }
832                AttrKind::DocComment(CommentKind::Block, _) => {
833                    BuiltinUnusedDocCommentSub::BlockHelp
834                }
835            };
836            cx.emit_span_lint(
837                UNUSED_DOC_COMMENTS,
838                span,
839                BuiltinUnusedDocComment { kind: node_kind, label: node_span, sub },
840            );
841        }
842    }
843}
844
845impl EarlyLintPass for UnusedDocComment {
846    fn check_stmt(&mut self, cx: &EarlyContext<'_>, stmt: &ast::Stmt) {
847        let kind = match stmt.kind {
848            ast::StmtKind::Let(..) => "statements",
849            // Disabled pending discussion in #78306
850            ast::StmtKind::Item(..) => return,
851            // expressions will be reported by `check_expr`.
852            ast::StmtKind::Empty
853            | ast::StmtKind::Semi(_)
854            | ast::StmtKind::Expr(_)
855            | ast::StmtKind::MacCall(_) => return,
856        };
857
858        warn_if_doc(cx, stmt.span, kind, stmt.kind.attrs());
859    }
860
861    fn check_arm(&mut self, cx: &EarlyContext<'_>, arm: &ast::Arm) {
862        if let Some(body) = &arm.body {
863            let arm_span = arm.pat.span.with_hi(body.span.hi());
864            warn_if_doc(cx, arm_span, "match arms", &arm.attrs);
865        }
866    }
867
868    fn check_pat(&mut self, cx: &EarlyContext<'_>, pat: &ast::Pat) {
869        if let ast::PatKind::Struct(_, _, fields, _) = &pat.kind {
870            for field in fields {
871                warn_if_doc(cx, field.span, "pattern fields", &field.attrs);
872            }
873        }
874    }
875
876    fn check_expr(&mut self, cx: &EarlyContext<'_>, expr: &ast::Expr) {
877        warn_if_doc(cx, expr.span, "expressions", &expr.attrs);
878
879        if let ExprKind::Struct(s) = &expr.kind {
880            for field in &s.fields {
881                warn_if_doc(cx, field.span, "expression fields", &field.attrs);
882            }
883        }
884    }
885
886    fn check_generic_param(&mut self, cx: &EarlyContext<'_>, param: &ast::GenericParam) {
887        warn_if_doc(cx, param.ident.span, "generic parameters", &param.attrs);
888    }
889
890    fn check_block(&mut self, cx: &EarlyContext<'_>, block: &ast::Block) {
891        warn_if_doc(cx, block.span, "blocks", block.attrs());
892    }
893
894    fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
895        if let ast::ItemKind::ForeignMod(_) = item.kind {
896            warn_if_doc(cx, item.span, "extern blocks", &item.attrs);
897        }
898    }
899}
900
901#[doc =
r" The `no_mangle_const_items` lint detects any `const` items with the"]
#[doc = r" [`no_mangle` attribute]."]
#[doc = r""]
#[doc =
r" [`no_mangle` attribute]: https://doc.rust-lang.org/reference/abi.html#the-no_mangle-attribute"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail,edition2021"]
#[doc = r" #[no_mangle]"]
#[doc = r" const FOO: i32 = 5;"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Constants do not have their symbols exported, and therefore, this"]
#[doc = r" probably means you meant to use a [`static`], not a [`const`]."]
#[doc = r""]
#[doc =
r" [`static`]: https://doc.rust-lang.org/reference/items/static-items.html"]
#[doc =
r" [`const`]: https://doc.rust-lang.org/reference/items/constant-items.html"]
static NO_MANGLE_CONST_ITEMS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "NO_MANGLE_CONST_ITEMS",
            default_level: ::rustc_lint_defs::Deny,
            desc: "const items will not have their symbols exported",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
902    /// The `no_mangle_const_items` lint detects any `const` items with the
903    /// [`no_mangle` attribute].
904    ///
905    /// [`no_mangle` attribute]: https://doc.rust-lang.org/reference/abi.html#the-no_mangle-attribute
906    ///
907    /// ### Example
908    ///
909    /// ```rust,compile_fail,edition2021
910    /// #[no_mangle]
911    /// const FOO: i32 = 5;
912    /// ```
913    ///
914    /// {{produces}}
915    ///
916    /// ### Explanation
917    ///
918    /// Constants do not have their symbols exported, and therefore, this
919    /// probably means you meant to use a [`static`], not a [`const`].
920    ///
921    /// [`static`]: https://doc.rust-lang.org/reference/items/static-items.html
922    /// [`const`]: https://doc.rust-lang.org/reference/items/constant-items.html
923    NO_MANGLE_CONST_ITEMS,
924    Deny,
925    "const items will not have their symbols exported"
926}
927
928#[doc =
r" The `no_mangle_generic_items` lint detects generic items that must be"]
#[doc = r" mangled."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #[unsafe(no_mangle)]"]
#[doc = r" fn foo<T>(t: T) {}"]
#[doc = r""]
#[doc = r#" #[unsafe(export_name = "bar")]"#]
#[doc = r" fn bar<T>(t: T) {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" A function with generics must have its symbol mangled to accommodate"]
#[doc =
r" the generic parameter. The [`no_mangle`] and [`export_name`] attributes"]
#[doc = r" have no effect in this situation, and should be removed."]
#[doc = r""]
#[doc =
r" [`no_mangle`]: https://doc.rust-lang.org/reference/abi.html#the-no_mangle-attribute"]
#[doc =
r" [`export_name`]: https://doc.rust-lang.org/reference/abi.html#the-export_name-attribute"]
static NO_MANGLE_GENERIC_ITEMS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "NO_MANGLE_GENERIC_ITEMS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "generic items must be mangled",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
929    /// The `no_mangle_generic_items` lint detects generic items that must be
930    /// mangled.
931    ///
932    /// ### Example
933    ///
934    /// ```rust
935    /// #[unsafe(no_mangle)]
936    /// fn foo<T>(t: T) {}
937    ///
938    /// #[unsafe(export_name = "bar")]
939    /// fn bar<T>(t: T) {}
940    /// ```
941    ///
942    /// {{produces}}
943    ///
944    /// ### Explanation
945    ///
946    /// A function with generics must have its symbol mangled to accommodate
947    /// the generic parameter. The [`no_mangle`] and [`export_name`] attributes
948    /// have no effect in this situation, and should be removed.
949    ///
950    /// [`no_mangle`]: https://doc.rust-lang.org/reference/abi.html#the-no_mangle-attribute
951    /// [`export_name`]: https://doc.rust-lang.org/reference/abi.html#the-export_name-attribute
952    NO_MANGLE_GENERIC_ITEMS,
953    Warn,
954    "generic items must be mangled"
955}
956
957pub struct InvalidNoMangleItems;
#[automatically_derived]
impl ::core::marker::Copy for InvalidNoMangleItems { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for InvalidNoMangleItems { }
#[automatically_derived]
impl ::core::clone::Clone for InvalidNoMangleItems {
    #[inline]
    fn clone(&self) -> InvalidNoMangleItems { *self }
}
impl ::rustc_lint_defs::LintPass for InvalidNoMangleItems {
    fn name(&self) -> &'static str { "InvalidNoMangleItems" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NO_MANGLE_CONST_ITEMS, NO_MANGLE_GENERIC_ITEMS]))
    }
}
impl InvalidNoMangleItems {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NO_MANGLE_CONST_ITEMS, NO_MANGLE_GENERIC_ITEMS]))
    }
}declare_lint_pass!(InvalidNoMangleItems => [NO_MANGLE_CONST_ITEMS, NO_MANGLE_GENERIC_ITEMS]);
958
959impl InvalidNoMangleItems {
960    fn check_no_mangle_on_generic_fn(
961        &self,
962        cx: &LateContext<'_>,
963        attr_span: Span,
964        def_id: LocalDefId,
965    ) {
966        let generics = cx.tcx.generics_of(def_id);
967        if generics.requires_monomorphization(cx.tcx) {
968            cx.emit_span_lint(
969                NO_MANGLE_GENERIC_ITEMS,
970                cx.tcx.def_span(def_id),
971                BuiltinNoMangleGeneric { suggestion: attr_span },
972            );
973        }
974    }
975}
976
977impl<'tcx> LateLintPass<'tcx> for InvalidNoMangleItems {
978    fn check_item(&mut self, cx: &LateContext<'_>, it: &hir::Item<'_>) {
979        let attrs = cx.tcx.hir_attrs(it.hir_id());
980        match it.kind {
981            hir::ItemKind::Fn { .. } => {
982                if let Some(attr_span) = {
    'done:
        {
        for i in attrs {
            #[allow(unused_imports)]
            use rustc_hir::attrs::AttributeKind::*;
            let i: &rustc_hir::Attribute = i;
            match i {
                rustc_hir::Attribute::Parsed(ExportName { span, .. }) => {
                    break 'done Some(*span);
                }
                rustc_hir::Attribute::Unparsed(..) =>
                    {}
                    #[deny(unreachable_patterns)]
                    _ => {}
            }
        }
        None
    }
}find_attr!(attrs, ExportName {span, ..} => *span)
983                    .or_else(|| {
    'done:
        {
        for i in attrs {
            #[allow(unused_imports)]
            use rustc_hir::attrs::AttributeKind::*;
            let i: &rustc_hir::Attribute = i;
            match i {
                rustc_hir::Attribute::Parsed(NoMangle(span)) => {
                    break 'done Some(*span);
                }
                rustc_hir::Attribute::Unparsed(..) =>
                    {}
                    #[deny(unreachable_patterns)]
                    _ => {}
            }
        }
        None
    }
}find_attr!(attrs, NoMangle(span) => *span))
984                {
985                    self.check_no_mangle_on_generic_fn(cx, attr_span, it.owner_id.def_id);
986                }
987            }
988            hir::ItemKind::Const(ident, generics, ..) => {
989                if {
    {
            'done:
                {
                for i in attrs {
                    #[allow(unused_imports)]
                    use rustc_hir::attrs::AttributeKind::*;
                    let i: &rustc_hir::Attribute = i;
                    match i {
                        rustc_hir::Attribute::Parsed(NoMangle(..)) => {
                            break 'done Some(());
                        }
                        rustc_hir::Attribute::Unparsed(..) =>
                            {}
                            #[deny(unreachable_patterns)]
                            _ => {}
                    }
                }
                None
            }
        }.is_some()
}find_attr!(attrs, NoMangle(..)) {
990                    let suggestion =
991                        if generics.params.is_empty() && generics.where_clause_span.is_empty() {
992                            // account for "pub const" (#45562)
993                            Some(it.span.until(ident.span))
994                        } else {
995                            None
996                        };
997
998                    // Const items do not refer to a particular location in memory, and therefore
999                    // don't have anything to attach a symbol to
1000                    cx.emit_span_lint(
1001                        NO_MANGLE_CONST_ITEMS,
1002                        it.span,
1003                        BuiltinConstNoMangle { suggestion },
1004                    );
1005                }
1006            }
1007            _ => {}
1008        }
1009    }
1010
1011    fn check_impl_item(&mut self, cx: &LateContext<'_>, it: &hir::ImplItem<'_>) {
1012        let attrs = cx.tcx.hir_attrs(it.hir_id());
1013        match it.kind {
1014            hir::ImplItemKind::Fn { .. } => {
1015                if let Some(attr_span) = {
    'done:
        {
        for i in attrs {
            #[allow(unused_imports)]
            use rustc_hir::attrs::AttributeKind::*;
            let i: &rustc_hir::Attribute = i;
            match i {
                rustc_hir::Attribute::Parsed(ExportName { span, .. }) => {
                    break 'done Some(*span);
                }
                rustc_hir::Attribute::Unparsed(..) =>
                    {}
                    #[deny(unreachable_patterns)]
                    _ => {}
            }
        }
        None
    }
}find_attr!(attrs, ExportName {span, ..} => *span)
1016                    .or_else(|| {
    'done:
        {
        for i in attrs {
            #[allow(unused_imports)]
            use rustc_hir::attrs::AttributeKind::*;
            let i: &rustc_hir::Attribute = i;
            match i {
                rustc_hir::Attribute::Parsed(NoMangle(span)) => {
                    break 'done Some(*span);
                }
                rustc_hir::Attribute::Unparsed(..) =>
                    {}
                    #[deny(unreachable_patterns)]
                    _ => {}
            }
        }
        None
    }
}find_attr!(attrs, NoMangle(span) => *span))
1017                {
1018                    self.check_no_mangle_on_generic_fn(cx, attr_span, it.owner_id.def_id);
1019                }
1020            }
1021            _ => {}
1022        }
1023    }
1024}
1025
1026#[doc =
r" The `mutable_transmutes` lint catches transmuting from `&T` to `&mut"]
#[doc = r" T` because it is [undefined behavior]."]
#[doc = r""]
#[doc =
r" [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" unsafe {"]
#[doc = r"     let y = std::mem::transmute::<&i32, &mut i32>(&5);"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Certain assumptions are made about aliasing of data, and this transmute"]
#[doc =
r" violates those assumptions. Consider using [`UnsafeCell`] instead."]
#[doc = r""]
#[doc =
r" [`UnsafeCell`]: https://doc.rust-lang.org/std/cell/struct.UnsafeCell.html"]
static MUTABLE_TRANSMUTES: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "MUTABLE_TRANSMUTES",
            default_level: ::rustc_lint_defs::Deny,
            desc: "transmuting &T to &mut T is undefined behavior, even if the reference is unused",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1027    /// The `mutable_transmutes` lint catches transmuting from `&T` to `&mut
1028    /// T` because it is [undefined behavior].
1029    ///
1030    /// [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html
1031    ///
1032    /// ### Example
1033    ///
1034    /// ```rust,compile_fail
1035    /// unsafe {
1036    ///     let y = std::mem::transmute::<&i32, &mut i32>(&5);
1037    /// }
1038    /// ```
1039    ///
1040    /// {{produces}}
1041    ///
1042    /// ### Explanation
1043    ///
1044    /// Certain assumptions are made about aliasing of data, and this transmute
1045    /// violates those assumptions. Consider using [`UnsafeCell`] instead.
1046    ///
1047    /// [`UnsafeCell`]: https://doc.rust-lang.org/std/cell/struct.UnsafeCell.html
1048    MUTABLE_TRANSMUTES,
1049    Deny,
1050    "transmuting &T to &mut T is undefined behavior, even if the reference is unused"
1051}
1052
1053pub struct MutableTransmutes;
#[automatically_derived]
impl ::core::marker::Copy for MutableTransmutes { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for MutableTransmutes { }
#[automatically_derived]
impl ::core::clone::Clone for MutableTransmutes {
    #[inline]
    fn clone(&self) -> MutableTransmutes { *self }
}
impl ::rustc_lint_defs::LintPass for MutableTransmutes {
    fn name(&self) -> &'static str { "MutableTransmutes" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MUTABLE_TRANSMUTES]))
    }
}
impl MutableTransmutes {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [MUTABLE_TRANSMUTES]))
    }
}declare_lint_pass!(MutableTransmutes => [MUTABLE_TRANSMUTES]);
1054
1055impl<'tcx> LateLintPass<'tcx> for MutableTransmutes {
1056    fn check_expr(&mut self, cx: &LateContext<'_>, expr: &hir::Expr<'_>) {
1057        if let Some((&ty::Ref(_, _, from_mutbl), &ty::Ref(_, _, to_mutbl))) =
1058            get_transmute_from_to(cx, expr).map(|(ty1, ty2)| (ty1.kind(), ty2.kind()))
1059        {
1060            if from_mutbl < to_mutbl {
1061                cx.emit_span_lint(MUTABLE_TRANSMUTES, expr.span, BuiltinMutablesTransmutes);
1062            }
1063        }
1064
1065        fn get_transmute_from_to<'tcx>(
1066            cx: &LateContext<'tcx>,
1067            expr: &hir::Expr<'_>,
1068        ) -> Option<(Ty<'tcx>, Ty<'tcx>)> {
1069            let hir::ExprKind::Path(ref qpath) = expr.kind else { return None };
1070            let def = cx.qpath_res(qpath, expr.hir_id);
1071            if let Res::Def(DefKind::Fn, did) = def {
1072                if !def_id_is_transmute(cx, did) {
1073                    return None;
1074                }
1075                let sig = cx.typeck_results().node_type(expr.hir_id).fn_sig(cx.tcx);
1076                let from = sig.inputs().skip_binder()[0];
1077                let to = sig.output().skip_binder();
1078                return Some((from, to));
1079            }
1080            None
1081        }
1082
1083        fn def_id_is_transmute(cx: &LateContext<'_>, def_id: DefId) -> bool {
1084            cx.tcx.is_intrinsic(def_id, sym::transmute)
1085        }
1086    }
1087}
1088
1089#[doc = r" The `unstable_features` lint detects uses of `#![feature]`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(unstable_features)]"]
#[doc = r" #![feature(test)]"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" In larger nightly-based projects which"]
#[doc = r""]
#[doc =
r" * consist of a multitude of crates where a subset of crates has to compile on"]
#[doc =
r"   stable either unconditionally or depending on a `cfg` flag to for example"]
#[doc = r"   allow stable users to depend on them,"]
#[doc =
r" * don't use nightly for experimental features but for, e.g., unstable options only,"]
#[doc = r""]
#[doc = r" this lint may come in handy to enforce policies of these kinds."]
static UNSTABLE_FEATURES: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "UNSTABLE_FEATURES",
            default_level: ::rustc_lint_defs::Allow,
            desc: "enabling unstable features",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1090    /// The `unstable_features` lint detects uses of `#![feature]`.
1091    ///
1092    /// ### Example
1093    ///
1094    /// ```rust,compile_fail
1095    /// #![deny(unstable_features)]
1096    /// #![feature(test)]
1097    /// ```
1098    ///
1099    /// {{produces}}
1100    ///
1101    /// ### Explanation
1102    ///
1103    /// In larger nightly-based projects which
1104    ///
1105    /// * consist of a multitude of crates where a subset of crates has to compile on
1106    ///   stable either unconditionally or depending on a `cfg` flag to for example
1107    ///   allow stable users to depend on them,
1108    /// * don't use nightly for experimental features but for, e.g., unstable options only,
1109    ///
1110    /// this lint may come in handy to enforce policies of these kinds.
1111    UNSTABLE_FEATURES,
1112    Allow,
1113    "enabling unstable features"
1114}
1115
1116#[doc = r" Forbids using the `#[feature(...)]` attribute"]
pub struct UnstableFeatures;
#[automatically_derived]
impl ::core::marker::Copy for UnstableFeatures { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for UnstableFeatures { }
#[automatically_derived]
impl ::core::clone::Clone for UnstableFeatures {
    #[inline]
    fn clone(&self) -> UnstableFeatures { *self }
}
impl ::rustc_lint_defs::LintPass for UnstableFeatures {
    fn name(&self) -> &'static str { "UnstableFeatures" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNSTABLE_FEATURES]))
    }
}
impl UnstableFeatures {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNSTABLE_FEATURES]))
    }
}declare_lint_pass!(
1117    /// Forbids using the `#[feature(...)]` attribute
1118    UnstableFeatures => [UNSTABLE_FEATURES]
1119);
1120
1121impl<'tcx> LateLintPass<'tcx> for UnstableFeatures {
1122    fn check_attributes(&mut self, cx: &LateContext<'_>, attrs: &[hir::Attribute]) {
1123        if let Some(features) = {
    'done:
        {
        for i in attrs {
            #[allow(unused_imports)]
            use rustc_hir::attrs::AttributeKind::*;
            let i: &rustc_hir::Attribute = i;
            match i {
                rustc_hir::Attribute::Parsed(Feature(features, _)) => {
                    break 'done Some(features);
                }
                rustc_hir::Attribute::Unparsed(..) =>
                    {}
                    #[deny(unreachable_patterns)]
                    _ => {}
            }
        }
        None
    }
}find_attr!(attrs, Feature(features, _) => features) {
1124            for feature in features {
1125                cx.emit_span_lint(UNSTABLE_FEATURES, feature.span, BuiltinUnstableFeatures);
1126            }
1127        }
1128    }
1129}
1130
1131#[doc = r" The `ungated_async_fn_track_caller` lint warns when the"]
#[doc = r" `#[track_caller]` attribute is used on an async function"]
#[doc = r" without enabling the corresponding unstable feature flag."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #[track_caller]"]
#[doc = r" async fn foo() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" The attribute must be used in conjunction with the"]
#[doc =
r" [`async_fn_track_caller` feature flag]. Otherwise, the `#[track_caller]`"]
#[doc = r" annotation will function as a no-op."]
#[doc = r""]
#[doc =
r" [`async_fn_track_caller` feature flag]: https://doc.rust-lang.org/beta/unstable-book/language-features/async-fn-track-caller.html"]
static UNGATED_ASYNC_FN_TRACK_CALLER: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "UNGATED_ASYNC_FN_TRACK_CALLER",
            default_level: ::rustc_lint_defs::Warn,
            desc: "enabling track_caller on an async fn is a no-op unless the async_fn_track_caller feature is enabled",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1132    /// The `ungated_async_fn_track_caller` lint warns when the
1133    /// `#[track_caller]` attribute is used on an async function
1134    /// without enabling the corresponding unstable feature flag.
1135    ///
1136    /// ### Example
1137    ///
1138    /// ```rust
1139    /// #[track_caller]
1140    /// async fn foo() {}
1141    /// ```
1142    ///
1143    /// {{produces}}
1144    ///
1145    /// ### Explanation
1146    ///
1147    /// The attribute must be used in conjunction with the
1148    /// [`async_fn_track_caller` feature flag]. Otherwise, the `#[track_caller]`
1149    /// annotation will function as a no-op.
1150    ///
1151    /// [`async_fn_track_caller` feature flag]: https://doc.rust-lang.org/beta/unstable-book/language-features/async-fn-track-caller.html
1152    UNGATED_ASYNC_FN_TRACK_CALLER,
1153    Warn,
1154    "enabling track_caller on an async fn is a no-op unless the async_fn_track_caller feature is enabled"
1155}
1156
1157#[doc =
r" Explains corresponding feature flag must be enabled for the `#[track_caller]` attribute to"]
#[doc = r" do anything"]
pub struct UngatedAsyncFnTrackCaller;
#[automatically_derived]
impl ::core::marker::Copy for UngatedAsyncFnTrackCaller { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for UngatedAsyncFnTrackCaller { }
#[automatically_derived]
impl ::core::clone::Clone for UngatedAsyncFnTrackCaller {
    #[inline]
    fn clone(&self) -> UngatedAsyncFnTrackCaller { *self }
}
impl ::rustc_lint_defs::LintPass for UngatedAsyncFnTrackCaller {
    fn name(&self) -> &'static str { "UngatedAsyncFnTrackCaller" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNGATED_ASYNC_FN_TRACK_CALLER]))
    }
}
impl UngatedAsyncFnTrackCaller {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNGATED_ASYNC_FN_TRACK_CALLER]))
    }
}declare_lint_pass!(
1158    /// Explains corresponding feature flag must be enabled for the `#[track_caller]` attribute to
1159    /// do anything
1160    UngatedAsyncFnTrackCaller => [UNGATED_ASYNC_FN_TRACK_CALLER]
1161);
1162
1163impl<'tcx> LateLintPass<'tcx> for UngatedAsyncFnTrackCaller {
1164    fn check_fn(
1165        &mut self,
1166        cx: &LateContext<'_>,
1167        fn_kind: HirFnKind<'_>,
1168        _: &'tcx FnDecl<'_>,
1169        _: &'tcx Body<'_>,
1170        span: Span,
1171        def_id: LocalDefId,
1172    ) {
1173        if fn_kind.asyncness().is_async()
1174            && !cx.tcx.features().async_fn_track_caller()
1175            // Now, check if the function has the `#[track_caller]` attribute
1176            && let Some(attr_span) = {

    #[allow(deprecated)]
    {
        {
            'done:
                {
                for i in cx.tcx.get_all_attrs(def_id) {
                    #[allow(unused_imports)]
                    use rustc_hir::attrs::AttributeKind::*;
                    let i: &rustc_hir::Attribute = i;
                    match i {
                        rustc_hir::Attribute::Parsed(TrackCaller(span)) => {
                            break 'done Some(*span);
                        }
                        rustc_hir::Attribute::Unparsed(..) =>
                            {}
                            #[deny(unreachable_patterns)]
                            _ => {}
                    }
                }
                None
            }
        }
    }
}find_attr!(cx.tcx, def_id, TrackCaller(span) => *span)
1177        {
1178            cx.emit_span_lint(
1179                UNGATED_ASYNC_FN_TRACK_CALLER,
1180                attr_span,
1181                BuiltinUngatedAsyncFnTrackCaller { label: span, session: &cx.tcx.sess },
1182            );
1183        }
1184    }
1185}
1186
1187#[doc =
r" The `unreachable_pub` lint triggers for `pub` items not reachable from other crates - that"]
#[doc =
r" means neither directly accessible, nor reexported (with `pub use`), nor leaked through"]
#[doc =
r" things like return types (which the [`unnameable_types`] lint can detect if desired)."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(unreachable_pub)]"]
#[doc = r" mod foo {"]
#[doc = r"     pub mod bar {"]
#[doc = r""]
#[doc = r"     }"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" The `pub` keyword both expresses an intent for an item to be publicly available, and also"]
#[doc =
r" signals to the compiler to make the item publicly accessible. The intent can only be"]
#[doc =
r" satisfied, however, if all items which contain this item are *also* publicly accessible."]
#[doc =
r" Thus, this lint serves to identify situations where the intent does not match the reality."]
#[doc = r""]
#[doc =
r" If you wish the item to be accessible elsewhere within the crate, but not outside it, the"]
#[doc =
r" `pub(crate)` visibility is recommended to be used instead. This more clearly expresses the"]
#[doc = r" intent that the item is only visible within its own crate."]
#[doc = r""]
#[doc =
r#" This lint is "allow" by default because it will trigger for a large amount of existing Rust code."#]
#[doc = r" Eventually it is desired for this to become warn-by-default."]
#[doc = r""]
#[doc = r" [`unnameable_types`]: #unnameable-types"]
pub static UNREACHABLE_PUB: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "UNREACHABLE_PUB",
            default_level: ::rustc_lint_defs::Allow,
            desc: "`pub` items not reachable from crate root",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1188    /// The `unreachable_pub` lint triggers for `pub` items not reachable from other crates - that
1189    /// means neither directly accessible, nor reexported (with `pub use`), nor leaked through
1190    /// things like return types (which the [`unnameable_types`] lint can detect if desired).
1191    ///
1192    /// ### Example
1193    ///
1194    /// ```rust,compile_fail
1195    /// #![deny(unreachable_pub)]
1196    /// mod foo {
1197    ///     pub mod bar {
1198    ///
1199    ///     }
1200    /// }
1201    /// ```
1202    ///
1203    /// {{produces}}
1204    ///
1205    /// ### Explanation
1206    ///
1207    /// The `pub` keyword both expresses an intent for an item to be publicly available, and also
1208    /// signals to the compiler to make the item publicly accessible. The intent can only be
1209    /// satisfied, however, if all items which contain this item are *also* publicly accessible.
1210    /// Thus, this lint serves to identify situations where the intent does not match the reality.
1211    ///
1212    /// If you wish the item to be accessible elsewhere within the crate, but not outside it, the
1213    /// `pub(crate)` visibility is recommended to be used instead. This more clearly expresses the
1214    /// intent that the item is only visible within its own crate.
1215    ///
1216    /// This lint is "allow" by default because it will trigger for a large amount of existing Rust code.
1217    /// Eventually it is desired for this to become warn-by-default.
1218    ///
1219    /// [`unnameable_types`]: #unnameable-types
1220    pub UNREACHABLE_PUB,
1221    Allow,
1222    "`pub` items not reachable from crate root"
1223}
1224
1225#[doc =
r" Lint for items marked `pub` that aren't reachable from other crates."]
pub struct UnreachablePub;
#[automatically_derived]
impl ::core::marker::Copy for UnreachablePub { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for UnreachablePub { }
#[automatically_derived]
impl ::core::clone::Clone for UnreachablePub {
    #[inline]
    fn clone(&self) -> UnreachablePub { *self }
}
impl ::rustc_lint_defs::LintPass for UnreachablePub {
    fn name(&self) -> &'static str { "UnreachablePub" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNREACHABLE_PUB]))
    }
}
impl UnreachablePub {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [UNREACHABLE_PUB]))
    }
}declare_lint_pass!(
1226    /// Lint for items marked `pub` that aren't reachable from other crates.
1227    UnreachablePub => [UNREACHABLE_PUB]
1228);
1229
1230impl UnreachablePub {
1231    fn perform_lint(
1232        &self,
1233        cx: &LateContext<'_>,
1234        what: &str,
1235        def_id: LocalDefId,
1236        vis_span: Span,
1237        exportable: bool,
1238    ) {
1239        let mut applicability = Applicability::MachineApplicable;
1240        if cx.tcx.visibility(def_id).is_public() && !cx.effective_visibilities.is_reachable(def_id)
1241        {
1242            // prefer suggesting `pub(super)` instead of `pub(crate)` when possible,
1243            // except when `pub(super) == pub(crate)`
1244            let new_vis = if let Some(ty::Visibility::Restricted(restricted_did)) =
1245                cx.effective_visibilities.effective_vis(def_id).map(|effective_vis| {
1246                    effective_vis.at_level(rustc_middle::middle::privacy::Level::Reachable)
1247                })
1248                && let parent_parent = cx
1249                    .tcx
1250                    .parent_module_from_def_id(cx.tcx.parent_module_from_def_id(def_id).into())
1251                && *restricted_did == parent_parent.to_local_def_id()
1252                && !restricted_did.to_def_id().is_crate_root()
1253            {
1254                "pub(super)"
1255            } else {
1256                "pub(crate)"
1257            };
1258
1259            if vis_span.from_expansion() {
1260                applicability = Applicability::MaybeIncorrect;
1261            }
1262            let def_span = cx.tcx.def_span(def_id);
1263            cx.emit_span_lint(
1264                UNREACHABLE_PUB,
1265                def_span,
1266                BuiltinUnreachablePub {
1267                    what,
1268                    new_vis,
1269                    suggestion: (vis_span, applicability),
1270                    help: exportable,
1271                },
1272            );
1273        }
1274    }
1275}
1276
1277impl<'tcx> LateLintPass<'tcx> for UnreachablePub {
1278    fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
1279        // Do not warn for fake `use` statements.
1280        if let hir::ItemKind::Use(_, hir::UseKind::ListStem) = &item.kind {
1281            return;
1282        }
1283        self.perform_lint(cx, "item", item.owner_id.def_id, item.vis_span, true);
1284    }
1285
1286    fn check_foreign_item(&mut self, cx: &LateContext<'_>, foreign_item: &hir::ForeignItem<'tcx>) {
1287        self.perform_lint(cx, "item", foreign_item.owner_id.def_id, foreign_item.vis_span, true);
1288    }
1289
1290    fn check_field_def(&mut self, _cx: &LateContext<'_>, _field: &hir::FieldDef<'_>) {
1291        // - If an ADT definition is reported then we don't need to check fields
1292        //   (as it would add unnecessary complexity to the source code, the struct
1293        //   definition is in the immediate proximity to give the "real" visibility).
1294        // - If an ADT is not reported because it's not `pub` - we don't need to
1295        //   check fields.
1296        // - If an ADT is not reported because it's reachable - we also don't need
1297        //   to check fields because then they are reachable by construction if they
1298        //   are pub.
1299        //
1300        // Therefore in no case we check the fields.
1301        //
1302        // cf. https://github.com/rust-lang/rust/pull/126013#issuecomment-2152839205
1303        // cf. https://github.com/rust-lang/rust/pull/126040#issuecomment-2152944506
1304    }
1305
1306    fn check_impl_item(&mut self, cx: &LateContext<'_>, impl_item: &hir::ImplItem<'_>) {
1307        if let ImplItemImplKind::Inherent { vis_span } = impl_item.impl_kind {
1308            self.perform_lint(cx, "item", impl_item.owner_id.def_id, vis_span, false);
1309        }
1310    }
1311}
1312
1313#[doc = r" The `type_alias_bounds` lint detects bounds in type aliases."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" type SendVec<T: Send> = Vec<T>;"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Trait and lifetime bounds on generic parameters and in where clauses of"]
#[doc =
r" type aliases are not checked at usage sites of the type alias. Moreover,"]
#[doc =
r" they are not thoroughly checked for correctness at their definition site"]
#[doc = r" either similar to the aliased type."]
#[doc = r""]
#[doc =
r" This is a known limitation of the type checker that may be lifted in a"]
#[doc =
r" future edition. Permitting such bounds in light of this was unintentional."]
#[doc = r""]
#[doc =
r" While these bounds may have secondary effects such as enabling the use of"]
#[doc =
r#" "shorthand" associated type paths[^1] and affecting the default trait"#]
#[doc =
r" object lifetime[^2] of trait object types passed to the type alias, this"]
#[doc =
r" should not have been allowed until the aforementioned restrictions of the"]
#[doc = r" type checker have been lifted."]
#[doc = r""]
#[doc =
r" Using such bounds is highly discouraged as they are actively misleading."]
#[doc = r""]
#[doc =
r" [^1]: I.e., paths of the form `T::Assoc` where `T` is a type parameter"]
#[doc =
r" bounded by trait `Trait` which defines an associated type called `Assoc`"]
#[doc =
r" as opposed to a fully qualified path of the form `<T as Trait>::Assoc`."]
#[doc =
r" [^2]: <https://doc.rust-lang.org/reference/lifetime-elision.html#default-trait-object-lifetimes>"]
static TYPE_ALIAS_BOUNDS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "TYPE_ALIAS_BOUNDS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "bounds in type aliases are not enforced",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1314    /// The `type_alias_bounds` lint detects bounds in type aliases.
1315    ///
1316    /// ### Example
1317    ///
1318    /// ```rust
1319    /// type SendVec<T: Send> = Vec<T>;
1320    /// ```
1321    ///
1322    /// {{produces}}
1323    ///
1324    /// ### Explanation
1325    ///
1326    /// Trait and lifetime bounds on generic parameters and in where clauses of
1327    /// type aliases are not checked at usage sites of the type alias. Moreover,
1328    /// they are not thoroughly checked for correctness at their definition site
1329    /// either similar to the aliased type.
1330    ///
1331    /// This is a known limitation of the type checker that may be lifted in a
1332    /// future edition. Permitting such bounds in light of this was unintentional.
1333    ///
1334    /// While these bounds may have secondary effects such as enabling the use of
1335    /// "shorthand" associated type paths[^1] and affecting the default trait
1336    /// object lifetime[^2] of trait object types passed to the type alias, this
1337    /// should not have been allowed until the aforementioned restrictions of the
1338    /// type checker have been lifted.
1339    ///
1340    /// Using such bounds is highly discouraged as they are actively misleading.
1341    ///
1342    /// [^1]: I.e., paths of the form `T::Assoc` where `T` is a type parameter
1343    /// bounded by trait `Trait` which defines an associated type called `Assoc`
1344    /// as opposed to a fully qualified path of the form `<T as Trait>::Assoc`.
1345    /// [^2]: <https://doc.rust-lang.org/reference/lifetime-elision.html#default-trait-object-lifetimes>
1346    TYPE_ALIAS_BOUNDS,
1347    Warn,
1348    "bounds in type aliases are not enforced"
1349}
1350
1351pub struct TypeAliasBounds;
#[automatically_derived]
impl ::core::marker::Copy for TypeAliasBounds { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for TypeAliasBounds { }
#[automatically_derived]
impl ::core::clone::Clone for TypeAliasBounds {
    #[inline]
    fn clone(&self) -> TypeAliasBounds { *self }
}
impl ::rustc_lint_defs::LintPass for TypeAliasBounds {
    fn name(&self) -> &'static str { "TypeAliasBounds" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [TYPE_ALIAS_BOUNDS]))
    }
}
impl TypeAliasBounds {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [TYPE_ALIAS_BOUNDS]))
    }
}declare_lint_pass!(TypeAliasBounds => [TYPE_ALIAS_BOUNDS]);
1352
1353impl TypeAliasBounds {
1354    pub(crate) fn affects_object_lifetime_defaults(pred: &hir::WherePredicate<'_>) -> bool {
1355        // Bounds of the form `T: 'a` with `T` type param affect object lifetime defaults.
1356        if let hir::WherePredicateKind::BoundPredicate(pred) = pred.kind
1357            && pred.bounds.iter().any(|bound| #[allow(non_exhaustive_omitted_patterns)] match bound {
    hir::GenericBound::Outlives(_) => true,
    _ => false,
}matches!(bound, hir::GenericBound::Outlives(_)))
1358            && pred.bound_generic_params.is_empty() // indeed, even if absent from the RHS
1359            && pred.bounded_ty.as_generic_param().is_some()
1360        {
1361            return true;
1362        }
1363        false
1364    }
1365}
1366
1367impl<'tcx> LateLintPass<'tcx> for TypeAliasBounds {
1368    fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
1369        let hir::ItemKind::TyAlias(_, generics, hir_ty) = item.kind else { return };
1370
1371        // There must not be a where clause.
1372        if generics.predicates.is_empty() {
1373            return;
1374        }
1375
1376        // Bounds of lazy type aliases and TAITs are respected.
1377        if cx.tcx.type_alias_is_lazy(item.owner_id) {
1378            return;
1379        }
1380
1381        // FIXME(generic_const_exprs): Revisit this before stabilization.
1382        // See also `tests/ui/const-generics/generic_const_exprs/type-alias-bounds.rs`.
1383        let ty = cx.tcx.type_of(item.owner_id).instantiate_identity();
1384        if ty.has_type_flags(ty::TypeFlags::HAS_CT_PROJECTION)
1385            && cx.tcx.features().generic_const_exprs()
1386        {
1387            return;
1388        }
1389
1390        // NOTE(inherent_associated_types): While we currently do take some bounds in type
1391        // aliases into consideration during IAT *selection*, we don't perform full use+def
1392        // site wfchecking for such type aliases. Therefore TAB should still trigger.
1393        // See also `tests/ui/associated-inherent-types/type-alias-bounds.rs`.
1394
1395        let mut where_spans = Vec::new();
1396        let mut inline_spans = Vec::new();
1397        let mut inline_sugg = Vec::new();
1398
1399        for p in generics.predicates {
1400            let span = p.span;
1401            if p.kind.in_where_clause() {
1402                where_spans.push(span);
1403            } else {
1404                for b in p.kind.bounds() {
1405                    inline_spans.push(b.span());
1406                }
1407                inline_sugg.push((span, String::new()));
1408            }
1409        }
1410
1411        let mut ty = Some(hir_ty);
1412        let enable_feat_help = cx.tcx.sess.is_nightly_build();
1413
1414        if let [.., label_sp] = *where_spans {
1415            cx.emit_span_lint(
1416                TYPE_ALIAS_BOUNDS,
1417                where_spans,
1418                BuiltinTypeAliasBounds {
1419                    in_where_clause: true,
1420                    label: label_sp,
1421                    enable_feat_help,
1422                    suggestions: ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [(generics.where_clause_span, String::new())]))vec![(generics.where_clause_span, String::new())],
1423                    preds: generics.predicates,
1424                    ty: ty.take(),
1425                },
1426            );
1427        }
1428        if let [.., label_sp] = *inline_spans {
1429            cx.emit_span_lint(
1430                TYPE_ALIAS_BOUNDS,
1431                inline_spans,
1432                BuiltinTypeAliasBounds {
1433                    in_where_clause: false,
1434                    label: label_sp,
1435                    enable_feat_help,
1436                    suggestions: inline_sugg,
1437                    preds: generics.predicates,
1438                    ty,
1439                },
1440            );
1441        }
1442    }
1443}
1444
1445pub(crate) struct ShorthandAssocTyCollector {
1446    pub(crate) qselves: Vec<Span>,
1447}
1448
1449impl hir::intravisit::Visitor<'_> for ShorthandAssocTyCollector {
1450    fn visit_qpath(&mut self, qpath: &hir::QPath<'_>, id: hir::HirId, _: Span) {
1451        // Look for "type-parameter shorthand-associated-types". I.e., paths of the
1452        // form `T::Assoc` with `T` type param. These are reliant on trait bounds.
1453        if let hir::QPath::TypeRelative(qself, _) = qpath
1454            && qself.as_generic_param().is_some()
1455        {
1456            self.qselves.push(qself.span);
1457        }
1458        hir::intravisit::walk_qpath(self, qpath, id)
1459    }
1460}
1461
1462#[doc =
r" The `trivial_bounds` lint detects trait bounds that don't depend on"]
#[doc = r" any type parameters."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #![feature(trivial_bounds)]"]
#[doc = r" pub struct A where i32: Copy;"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Usually you would not write a trait bound that you know is always"]
#[doc =
r" true, or never true. However, when using macros, the macro may not"]
#[doc =
r" know whether or not the constraint would hold or not at the time when"]
#[doc =
r" generating the code. Currently, the compiler does not alert you if the"]
#[doc =
r" constraint is always true, and generates an error if it is never true."]
#[doc = r" The `trivial_bounds` feature changes this to be a warning in both"]
#[doc =
r" cases, giving macros more freedom and flexibility to generate code,"]
#[doc = r" while still providing a signal when writing non-macro code that"]
#[doc = r" something is amiss."]
#[doc = r""]
#[doc = r" See [RFC 2056] for more details. This feature is currently only"]
#[doc = r" available on the nightly channel, see [tracking issue #48214]."]
#[doc = r""]
#[doc =
r" [RFC 2056]: https://github.com/rust-lang/rfcs/blob/master/text/2056-allow-trivial-where-clause-constraints.md"]
#[doc =
r" [tracking issue #48214]: https://github.com/rust-lang/rust/issues/48214"]
static TRIVIAL_BOUNDS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "TRIVIAL_BOUNDS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "these bounds don't depend on an type parameters",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1463    /// The `trivial_bounds` lint detects trait bounds that don't depend on
1464    /// any type parameters.
1465    ///
1466    /// ### Example
1467    ///
1468    /// ```rust
1469    /// #![feature(trivial_bounds)]
1470    /// pub struct A where i32: Copy;
1471    /// ```
1472    ///
1473    /// {{produces}}
1474    ///
1475    /// ### Explanation
1476    ///
1477    /// Usually you would not write a trait bound that you know is always
1478    /// true, or never true. However, when using macros, the macro may not
1479    /// know whether or not the constraint would hold or not at the time when
1480    /// generating the code. Currently, the compiler does not alert you if the
1481    /// constraint is always true, and generates an error if it is never true.
1482    /// The `trivial_bounds` feature changes this to be a warning in both
1483    /// cases, giving macros more freedom and flexibility to generate code,
1484    /// while still providing a signal when writing non-macro code that
1485    /// something is amiss.
1486    ///
1487    /// See [RFC 2056] for more details. This feature is currently only
1488    /// available on the nightly channel, see [tracking issue #48214].
1489    ///
1490    /// [RFC 2056]: https://github.com/rust-lang/rfcs/blob/master/text/2056-allow-trivial-where-clause-constraints.md
1491    /// [tracking issue #48214]: https://github.com/rust-lang/rust/issues/48214
1492    TRIVIAL_BOUNDS,
1493    Warn,
1494    "these bounds don't depend on an type parameters"
1495}
1496
1497#[doc =
r" Lint for trait and lifetime bounds that don't depend on type parameters"]
#[doc = r" which either do nothing, or stop the item from being used."]
pub struct TrivialConstraints;
#[automatically_derived]
impl ::core::marker::Copy for TrivialConstraints { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for TrivialConstraints { }
#[automatically_derived]
impl ::core::clone::Clone for TrivialConstraints {
    #[inline]
    fn clone(&self) -> TrivialConstraints { *self }
}
impl ::rustc_lint_defs::LintPass for TrivialConstraints {
    fn name(&self) -> &'static str { "TrivialConstraints" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [TRIVIAL_BOUNDS]))
    }
}
impl TrivialConstraints {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [TRIVIAL_BOUNDS]))
    }
}declare_lint_pass!(
1498    /// Lint for trait and lifetime bounds that don't depend on type parameters
1499    /// which either do nothing, or stop the item from being used.
1500    TrivialConstraints => [TRIVIAL_BOUNDS]
1501);
1502
1503impl<'tcx> LateLintPass<'tcx> for TrivialConstraints {
1504    fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::Item<'tcx>) {
1505        use rustc_middle::ty::ClauseKind;
1506
1507        if cx.tcx.features().trivial_bounds() {
1508            let predicates = cx.tcx.predicates_of(item.owner_id);
1509            for &(predicate, span) in predicates.predicates {
1510                let predicate_kind_name = match predicate.kind().skip_binder() {
1511                    ClauseKind::Trait(..) => "trait",
1512                    ClauseKind::TypeOutlives(..) |
1513                    ClauseKind::RegionOutlives(..) => "lifetime",
1514
1515                    ClauseKind::UnstableFeature(_)
1516                    // `ConstArgHasType` is never global as `ct` is always a param
1517                    | ClauseKind::ConstArgHasType(..)
1518                    // Ignore projections, as they can only be global
1519                    // if the trait bound is global
1520                    | ClauseKind::Projection(..)
1521                    // Ignore bounds that a user can't type
1522                    | ClauseKind::WellFormed(..)
1523                    // FIXME(generic_const_exprs): `ConstEvaluatable` can be written
1524                    | ClauseKind::ConstEvaluatable(..)
1525                    // Users don't write this directly, only via another trait ref.
1526                    | ty::ClauseKind::HostEffect(..) => continue,
1527                };
1528                if predicate.is_global() {
1529                    cx.emit_span_lint(
1530                        TRIVIAL_BOUNDS,
1531                        span,
1532                        BuiltinTrivialBounds { predicate_kind_name, predicate },
1533                    );
1534                }
1535            }
1536        }
1537    }
1538}
1539
1540#[doc =
r" The `double_negations` lint detects expressions of the form `--x`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" fn main() {"]
#[doc = r"     let x = 1;"]
#[doc = r"     let _b = --x;"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Negating something twice is usually the same as not negating it at all."]
#[doc =
r" However, a double negation in Rust can easily be confused with the"]
#[doc =
r" prefix decrement operator that exists in many languages derived from C."]
#[doc = r" Use `-(-x)` if you really wanted to negate the value twice."]
#[doc = r""]
#[doc = r" To decrement a value, use `x -= 1` instead."]
pub static DOUBLE_NEGATIONS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "DOUBLE_NEGATIONS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "detects expressions of the form `--x`",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1541    /// The `double_negations` lint detects expressions of the form `--x`.
1542    ///
1543    /// ### Example
1544    ///
1545    /// ```rust
1546    /// fn main() {
1547    ///     let x = 1;
1548    ///     let _b = --x;
1549    /// }
1550    /// ```
1551    ///
1552    /// {{produces}}
1553    ///
1554    /// ### Explanation
1555    ///
1556    /// Negating something twice is usually the same as not negating it at all.
1557    /// However, a double negation in Rust can easily be confused with the
1558    /// prefix decrement operator that exists in many languages derived from C.
1559    /// Use `-(-x)` if you really wanted to negate the value twice.
1560    ///
1561    /// To decrement a value, use `x -= 1` instead.
1562    pub DOUBLE_NEGATIONS,
1563    Warn,
1564    "detects expressions of the form `--x`"
1565}
1566
1567#[doc =
r" Lint for expressions of the form `--x` that can be confused with C's"]
#[doc = r" prefix decrement operator."]
pub struct DoubleNegations;
#[automatically_derived]
impl ::core::marker::Copy for DoubleNegations { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for DoubleNegations { }
#[automatically_derived]
impl ::core::clone::Clone for DoubleNegations {
    #[inline]
    fn clone(&self) -> DoubleNegations { *self }
}
impl ::rustc_lint_defs::LintPass for DoubleNegations {
    fn name(&self) -> &'static str { "DoubleNegations" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [DOUBLE_NEGATIONS]))
    }
}
impl DoubleNegations {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [DOUBLE_NEGATIONS]))
    }
}declare_lint_pass!(
1568    /// Lint for expressions of the form `--x` that can be confused with C's
1569    /// prefix decrement operator.
1570    DoubleNegations => [DOUBLE_NEGATIONS]
1571);
1572
1573impl EarlyLintPass for DoubleNegations {
1574    #[inline]
1575    fn check_expr(&mut self, cx: &EarlyContext<'_>, expr: &ast::Expr) {
1576        // only lint on the innermost `--` in a chain of `-` operators,
1577        // even if there are 3 or more negations
1578        if let ExprKind::Unary(UnOp::Neg, ref inner) = expr.kind
1579            && let ExprKind::Unary(UnOp::Neg, ref inner2) = inner.kind
1580            && !#[allow(non_exhaustive_omitted_patterns)] match inner2.kind {
    ExprKind::Unary(UnOp::Neg, _) => true,
    _ => false,
}matches!(inner2.kind, ExprKind::Unary(UnOp::Neg, _))
1581            // Don't lint if this jumps macro expansion boundary (Issue #143980)
1582            && expr.span.eq_ctxt(inner.span)
1583        {
1584            cx.emit_span_lint(
1585                DOUBLE_NEGATIONS,
1586                expr.span,
1587                BuiltinDoubleNegations {
1588                    add_parens: BuiltinDoubleNegationsAddParens {
1589                        start_span: inner.span.shrink_to_lo(),
1590                        end_span: inner.span.shrink_to_hi(),
1591                    },
1592                },
1593            );
1594        }
1595    }
1596}
1597
1598#[doc = r" Does nothing as a lint pass, but registers some `Lint`s"]
#[doc = r" which are used by other parts of the compiler."]
pub struct SoftLints;
#[automatically_derived]
impl ::core::marker::Copy for SoftLints { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for SoftLints { }
#[automatically_derived]
impl ::core::clone::Clone for SoftLints {
    #[inline]
    fn clone(&self) -> SoftLints { *self }
}
impl ::rustc_lint_defs::LintPass for SoftLints {
    fn name(&self) -> &'static str { "SoftLints" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [WHILE_TRUE, NON_SHORTHAND_FIELD_PATTERNS, UNSAFE_CODE,
                        MISSING_DOCS, MISSING_COPY_IMPLEMENTATIONS,
                        MISSING_DEBUG_IMPLEMENTATIONS, ANONYMOUS_PARAMETERS,
                        UNUSED_DOC_COMMENTS, NO_MANGLE_CONST_ITEMS,
                        NO_MANGLE_GENERIC_ITEMS, MUTABLE_TRANSMUTES,
                        UNSTABLE_FEATURES, UNREACHABLE_PUB, TYPE_ALIAS_BOUNDS,
                        TRIVIAL_BOUNDS, DOUBLE_NEGATIONS]))
    }
}
impl SoftLints {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [WHILE_TRUE, NON_SHORTHAND_FIELD_PATTERNS, UNSAFE_CODE,
                        MISSING_DOCS, MISSING_COPY_IMPLEMENTATIONS,
                        MISSING_DEBUG_IMPLEMENTATIONS, ANONYMOUS_PARAMETERS,
                        UNUSED_DOC_COMMENTS, NO_MANGLE_CONST_ITEMS,
                        NO_MANGLE_GENERIC_ITEMS, MUTABLE_TRANSMUTES,
                        UNSTABLE_FEATURES, UNREACHABLE_PUB, TYPE_ALIAS_BOUNDS,
                        TRIVIAL_BOUNDS, DOUBLE_NEGATIONS]))
    }
}declare_lint_pass!(
1599    /// Does nothing as a lint pass, but registers some `Lint`s
1600    /// which are used by other parts of the compiler.
1601    SoftLints => [
1602        WHILE_TRUE,
1603        NON_SHORTHAND_FIELD_PATTERNS,
1604        UNSAFE_CODE,
1605        MISSING_DOCS,
1606        MISSING_COPY_IMPLEMENTATIONS,
1607        MISSING_DEBUG_IMPLEMENTATIONS,
1608        ANONYMOUS_PARAMETERS,
1609        UNUSED_DOC_COMMENTS,
1610        NO_MANGLE_CONST_ITEMS,
1611        NO_MANGLE_GENERIC_ITEMS,
1612        MUTABLE_TRANSMUTES,
1613        UNSTABLE_FEATURES,
1614        UNREACHABLE_PUB,
1615        TYPE_ALIAS_BOUNDS,
1616        TRIVIAL_BOUNDS,
1617        DOUBLE_NEGATIONS
1618    ]
1619);
1620
1621#[doc =
r" The `ellipsis_inclusive_range_patterns` lint detects the [`...` range"]
#[doc = r" pattern], which is deprecated."]
#[doc = r""]
#[doc =
r" [`...` range pattern]: https://doc.rust-lang.org/reference/patterns.html#range-patterns"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,edition2018"]
#[doc = r" let x = 123;"]
#[doc = r" match x {"]
#[doc = r"     0...100 => {}"]
#[doc = r"     _ => {}"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" The `...` range pattern syntax was changed to `..=` to avoid potential"]
#[doc =
r" confusion with the [`..` range expression]. Use the new form instead."]
#[doc = r""]
#[doc =
r" [`..` range expression]: https://doc.rust-lang.org/reference/expressions/range-expr.html"]
pub static ELLIPSIS_INCLUSIVE_RANGE_PATTERNS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "ELLIPSIS_INCLUSIVE_RANGE_PATTERNS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "`...` range patterns are deprecated",
            is_externally_loaded: false,
            future_incompatible: Some(::rustc_lint_defs::FutureIncompatibleInfo {
                    reason: ::rustc_lint_defs::FutureIncompatibilityReason::EditionError(::rustc_lint_defs::EditionFcw {
                            edition: rustc_span::edition::Edition::Edition2021,
                            page_slug: "warnings-promoted-to-error",
                        }),
                    ..::rustc_lint_defs::FutureIncompatibleInfo::default_fields_for_macro()
                }),
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1622    /// The `ellipsis_inclusive_range_patterns` lint detects the [`...` range
1623    /// pattern], which is deprecated.
1624    ///
1625    /// [`...` range pattern]: https://doc.rust-lang.org/reference/patterns.html#range-patterns
1626    ///
1627    /// ### Example
1628    ///
1629    /// ```rust,edition2018
1630    /// let x = 123;
1631    /// match x {
1632    ///     0...100 => {}
1633    ///     _ => {}
1634    /// }
1635    /// ```
1636    ///
1637    /// {{produces}}
1638    ///
1639    /// ### Explanation
1640    ///
1641    /// The `...` range pattern syntax was changed to `..=` to avoid potential
1642    /// confusion with the [`..` range expression]. Use the new form instead.
1643    ///
1644    /// [`..` range expression]: https://doc.rust-lang.org/reference/expressions/range-expr.html
1645    pub ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1646    Warn,
1647    "`...` range patterns are deprecated",
1648    @future_incompatible = FutureIncompatibleInfo {
1649        reason: fcw!(EditionError 2021 "warnings-promoted-to-error"),
1650    };
1651}
1652
1653#[derive(#[automatically_derived]
impl ::core::default::Default for EllipsisInclusiveRangePatterns {
    #[inline]
    fn default() -> EllipsisInclusiveRangePatterns {
        EllipsisInclusiveRangePatterns {
            node_id: ::core::default::Default::default(),
        }
    }
}Default)]
1654pub struct EllipsisInclusiveRangePatterns {
1655    /// If `Some(_)`, suppress all subsequent pattern
1656    /// warnings for better diagnostics.
1657    node_id: Option<ast::NodeId>,
1658}
1659
1660impl ::rustc_lint_defs::LintPass for EllipsisInclusiveRangePatterns {
    fn name(&self) -> &'static str { "EllipsisInclusiveRangePatterns" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [ELLIPSIS_INCLUSIVE_RANGE_PATTERNS]))
    }
}
impl EllipsisInclusiveRangePatterns {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [ELLIPSIS_INCLUSIVE_RANGE_PATTERNS]))
    }
}impl_lint_pass!(EllipsisInclusiveRangePatterns => [ELLIPSIS_INCLUSIVE_RANGE_PATTERNS]);
1661
1662impl EarlyLintPass for EllipsisInclusiveRangePatterns {
1663    fn check_pat(&mut self, cx: &EarlyContext<'_>, pat: &ast::Pat) {
1664        if self.node_id.is_some() {
1665            // Don't recursively warn about patterns inside range endpoints.
1666            return;
1667        }
1668
1669        use self::ast::PatKind;
1670        use self::ast::RangeSyntax::DotDotDot;
1671
1672        /// If `pat` is a `...` pattern, return the start and end of the range, as well as the span
1673        /// corresponding to the ellipsis.
1674        fn matches_ellipsis_pat(pat: &ast::Pat) -> Option<(Option<&Expr>, &Expr, Span)> {
1675            match &pat.kind {
1676                PatKind::Range(
1677                    a,
1678                    Some(b),
1679                    Spanned { span, node: RangeEnd::Included(DotDotDot) },
1680                ) => Some((a.as_deref(), b, *span)),
1681                _ => None,
1682            }
1683        }
1684
1685        let (parentheses, endpoints) = match &pat.kind {
1686            PatKind::Ref(subpat, _, _) => (true, matches_ellipsis_pat(subpat)),
1687            _ => (false, matches_ellipsis_pat(pat)),
1688        };
1689
1690        if let Some((start, end, join)) = endpoints {
1691            if parentheses {
1692                self.node_id = Some(pat.id);
1693                let end = expr_to_string(end);
1694                let replace = match start {
1695                    Some(start) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("&({0}..={1})",
                expr_to_string(start), end))
    })format!("&({}..={})", expr_to_string(start), end),
1696                    None => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("&(..={0})", end))
    })format!("&(..={end})"),
1697                };
1698                if join.edition() >= Edition::Edition2021 {
1699                    cx.sess().dcx().emit_err(BuiltinEllipsisInclusiveRangePatterns {
1700                        span: pat.span,
1701                        suggestion: pat.span,
1702                        replace,
1703                    });
1704                } else {
1705                    cx.emit_span_lint(
1706                        ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1707                        pat.span,
1708                        BuiltinEllipsisInclusiveRangePatternsLint::Parenthesise {
1709                            suggestion: pat.span,
1710                            replace,
1711                        },
1712                    );
1713                }
1714            } else {
1715                let replace = "..=";
1716                if join.edition() >= Edition::Edition2021 {
1717                    cx.sess().dcx().emit_err(BuiltinEllipsisInclusiveRangePatterns {
1718                        span: pat.span,
1719                        suggestion: join,
1720                        replace: replace.to_string(),
1721                    });
1722                } else {
1723                    cx.emit_span_lint(
1724                        ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1725                        join,
1726                        BuiltinEllipsisInclusiveRangePatternsLint::NonParenthesise {
1727                            suggestion: join,
1728                        },
1729                    );
1730                }
1731            };
1732        }
1733    }
1734
1735    fn check_pat_post(&mut self, _cx: &EarlyContext<'_>, pat: &ast::Pat) {
1736        if let Some(node_id) = self.node_id {
1737            if pat.id == node_id {
1738                self.node_id = None
1739            }
1740        }
1741    }
1742}
1743
1744#[doc =
r" The `keyword_idents_2018` lint detects edition keywords being used as an"]
#[doc = r" identifier."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,edition2015,compile_fail"]
#[doc = r" #![deny(keyword_idents_2018)]"]
#[doc = r" // edition 2015"]
#[doc = r" fn dyn() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Rust [editions] allow the language to evolve without breaking"]
#[doc =
r" backwards compatibility. This lint catches code that uses new keywords"]
#[doc =
r" that are added to the language that are used as identifiers (such as a"]
#[doc =
r" variable name, function name, etc.). If you switch the compiler to a"]
#[doc =
r" new edition without updating the code, then it will fail to compile if"]
#[doc = r" you are using a new keyword as an identifier."]
#[doc = r""]
#[doc =
r" You can manually change the identifiers to a non-keyword, or use a"]
#[doc =
r" [raw identifier], for example `r#dyn`, to transition to a new edition."]
#[doc = r""]
#[doc =
r#" This lint solves the problem automatically. It is "allow" by default"#]
#[doc =
r" because the code is perfectly valid in older editions. The [`cargo"]
#[doc =
r#" fix`] tool with the `--edition` flag will switch this lint to "warn""#]
#[doc =
r" and automatically apply the suggested fix from the compiler (which is"]
#[doc =
r" to use a raw identifier). This provides a completely automated way to"]
#[doc = r" update old code for a new edition."]
#[doc = r""]
#[doc = r" [editions]: https://doc.rust-lang.org/edition-guide/"]
#[doc =
r" [raw identifier]: https://doc.rust-lang.org/reference/identifiers.html"]
#[doc =
r" [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html"]
pub static KEYWORD_IDENTS_2018: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "KEYWORD_IDENTS_2018",
            default_level: ::rustc_lint_defs::Allow,
            desc: "detects edition keywords being used as an identifier",
            is_externally_loaded: false,
            future_incompatible: Some(::rustc_lint_defs::FutureIncompatibleInfo {
                    reason: ::rustc_lint_defs::FutureIncompatibilityReason::EditionError(::rustc_lint_defs::EditionFcw {
                            edition: rustc_span::edition::Edition::Edition2018,
                            page_slug: "new-keywords",
                        }),
                    ..::rustc_lint_defs::FutureIncompatibleInfo::default_fields_for_macro()
                }),
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1745    /// The `keyword_idents_2018` lint detects edition keywords being used as an
1746    /// identifier.
1747    ///
1748    /// ### Example
1749    ///
1750    /// ```rust,edition2015,compile_fail
1751    /// #![deny(keyword_idents_2018)]
1752    /// // edition 2015
1753    /// fn dyn() {}
1754    /// ```
1755    ///
1756    /// {{produces}}
1757    ///
1758    /// ### Explanation
1759    ///
1760    /// Rust [editions] allow the language to evolve without breaking
1761    /// backwards compatibility. This lint catches code that uses new keywords
1762    /// that are added to the language that are used as identifiers (such as a
1763    /// variable name, function name, etc.). If you switch the compiler to a
1764    /// new edition without updating the code, then it will fail to compile if
1765    /// you are using a new keyword as an identifier.
1766    ///
1767    /// You can manually change the identifiers to a non-keyword, or use a
1768    /// [raw identifier], for example `r#dyn`, to transition to a new edition.
1769    ///
1770    /// This lint solves the problem automatically. It is "allow" by default
1771    /// because the code is perfectly valid in older editions. The [`cargo
1772    /// fix`] tool with the `--edition` flag will switch this lint to "warn"
1773    /// and automatically apply the suggested fix from the compiler (which is
1774    /// to use a raw identifier). This provides a completely automated way to
1775    /// update old code for a new edition.
1776    ///
1777    /// [editions]: https://doc.rust-lang.org/edition-guide/
1778    /// [raw identifier]: https://doc.rust-lang.org/reference/identifiers.html
1779    /// [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html
1780    pub KEYWORD_IDENTS_2018,
1781    Allow,
1782    "detects edition keywords being used as an identifier",
1783    @future_incompatible = FutureIncompatibleInfo {
1784        reason: fcw!(EditionError 2018 "new-keywords"),
1785    };
1786}
1787
1788#[doc =
r" The `keyword_idents_2024` lint detects edition keywords being used as an"]
#[doc = r" identifier."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,edition2015,compile_fail"]
#[doc = r" #![deny(keyword_idents_2024)]"]
#[doc = r" // edition 2015"]
#[doc = r" fn gen() {}"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Rust [editions] allow the language to evolve without breaking"]
#[doc =
r" backwards compatibility. This lint catches code that uses new keywords"]
#[doc =
r" that are added to the language that are used as identifiers (such as a"]
#[doc =
r" variable name, function name, etc.). If you switch the compiler to a"]
#[doc =
r" new edition without updating the code, then it will fail to compile if"]
#[doc = r" you are using a new keyword as an identifier."]
#[doc = r""]
#[doc =
r" You can manually change the identifiers to a non-keyword, or use a"]
#[doc =
r" [raw identifier], for example `r#gen`, to transition to a new edition."]
#[doc = r""]
#[doc =
r#" This lint solves the problem automatically. It is "allow" by default"#]
#[doc =
r" because the code is perfectly valid in older editions. The [`cargo"]
#[doc =
r#" fix`] tool with the `--edition` flag will switch this lint to "warn""#]
#[doc =
r" and automatically apply the suggested fix from the compiler (which is"]
#[doc =
r" to use a raw identifier). This provides a completely automated way to"]
#[doc = r" update old code for a new edition."]
#[doc = r""]
#[doc = r" [editions]: https://doc.rust-lang.org/edition-guide/"]
#[doc =
r" [raw identifier]: https://doc.rust-lang.org/reference/identifiers.html"]
#[doc =
r" [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html"]
pub static KEYWORD_IDENTS_2024: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "KEYWORD_IDENTS_2024",
            default_level: ::rustc_lint_defs::Allow,
            desc: "detects edition keywords being used as an identifier",
            is_externally_loaded: false,
            future_incompatible: Some(::rustc_lint_defs::FutureIncompatibleInfo {
                    reason: ::rustc_lint_defs::FutureIncompatibilityReason::EditionError(::rustc_lint_defs::EditionFcw {
                            edition: rustc_span::edition::Edition::Edition2024,
                            page_slug: "gen-keyword",
                        }),
                    ..::rustc_lint_defs::FutureIncompatibleInfo::default_fields_for_macro()
                }),
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
1789    /// The `keyword_idents_2024` lint detects edition keywords being used as an
1790    /// identifier.
1791    ///
1792    /// ### Example
1793    ///
1794    /// ```rust,edition2015,compile_fail
1795    /// #![deny(keyword_idents_2024)]
1796    /// // edition 2015
1797    /// fn gen() {}
1798    /// ```
1799    ///
1800    /// {{produces}}
1801    ///
1802    /// ### Explanation
1803    ///
1804    /// Rust [editions] allow the language to evolve without breaking
1805    /// backwards compatibility. This lint catches code that uses new keywords
1806    /// that are added to the language that are used as identifiers (such as a
1807    /// variable name, function name, etc.). If you switch the compiler to a
1808    /// new edition without updating the code, then it will fail to compile if
1809    /// you are using a new keyword as an identifier.
1810    ///
1811    /// You can manually change the identifiers to a non-keyword, or use a
1812    /// [raw identifier], for example `r#gen`, to transition to a new edition.
1813    ///
1814    /// This lint solves the problem automatically. It is "allow" by default
1815    /// because the code is perfectly valid in older editions. The [`cargo
1816    /// fix`] tool with the `--edition` flag will switch this lint to "warn"
1817    /// and automatically apply the suggested fix from the compiler (which is
1818    /// to use a raw identifier). This provides a completely automated way to
1819    /// update old code for a new edition.
1820    ///
1821    /// [editions]: https://doc.rust-lang.org/edition-guide/
1822    /// [raw identifier]: https://doc.rust-lang.org/reference/identifiers.html
1823    /// [`cargo fix`]: https://doc.rust-lang.org/cargo/commands/cargo-fix.html
1824    pub KEYWORD_IDENTS_2024,
1825    Allow,
1826    "detects edition keywords being used as an identifier",
1827    @future_incompatible = FutureIncompatibleInfo {
1828        reason: fcw!(EditionError 2024 "gen-keyword"),
1829    };
1830}
1831
1832#[doc = r" Check for uses of edition keywords used as an identifier."]
pub struct KeywordIdents;
#[automatically_derived]
impl ::core::marker::Copy for KeywordIdents { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for KeywordIdents { }
#[automatically_derived]
impl ::core::clone::Clone for KeywordIdents {
    #[inline]
    fn clone(&self) -> KeywordIdents { *self }
}
impl ::rustc_lint_defs::LintPass for KeywordIdents {
    fn name(&self) -> &'static str { "KeywordIdents" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [KEYWORD_IDENTS_2018, KEYWORD_IDENTS_2024]))
    }
}
impl KeywordIdents {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [KEYWORD_IDENTS_2018, KEYWORD_IDENTS_2024]))
    }
}declare_lint_pass!(
1833    /// Check for uses of edition keywords used as an identifier.
1834    KeywordIdents => [KEYWORD_IDENTS_2018, KEYWORD_IDENTS_2024]
1835);
1836
1837struct UnderMacro(bool);
1838
1839impl KeywordIdents {
1840    fn check_tokens(&mut self, cx: &EarlyContext<'_>, tokens: &TokenStream) {
1841        // Check if the preceding token is `$`, because we want to allow `$async`, etc.
1842        let mut prev_dollar = false;
1843        for tt in tokens.iter() {
1844            match tt {
1845                // Only report non-raw idents.
1846                TokenTree::Token(token, _) => {
1847                    if let Some((ident, token::IdentIsRaw::No)) = token.ident() {
1848                        if !prev_dollar {
1849                            self.check_ident_token(cx, UnderMacro(true), ident, "");
1850                        }
1851                    } else if let Some((ident, token::IdentIsRaw::No)) = token.lifetime() {
1852                        self.check_ident_token(
1853                            cx,
1854                            UnderMacro(true),
1855                            ident.without_first_quote(),
1856                            "'",
1857                        );
1858                    } else if token.kind == TokenKind::Dollar {
1859                        prev_dollar = true;
1860                        continue;
1861                    }
1862                }
1863                TokenTree::Delimited(.., tts) => self.check_tokens(cx, tts),
1864            }
1865            prev_dollar = false;
1866        }
1867    }
1868
1869    fn check_ident_token(
1870        &mut self,
1871        cx: &EarlyContext<'_>,
1872        UnderMacro(under_macro): UnderMacro,
1873        ident: Ident,
1874        prefix: &'static str,
1875    ) {
1876        let (lint, edition) = match ident.name {
1877            kw::Async | kw::Await | kw::Try => (KEYWORD_IDENTS_2018, Edition::Edition2018),
1878
1879            // rust-lang/rust#56327: Conservatively do not
1880            // attempt to report occurrences of `dyn` within
1881            // macro definitions or invocations, because `dyn`
1882            // can legitimately occur as a contextual keyword
1883            // in 2015 code denoting its 2018 meaning, and we
1884            // do not want rustfix to inject bugs into working
1885            // code by rewriting such occurrences.
1886            //
1887            // But if we see `dyn` outside of a macro, we know
1888            // its precise role in the parsed AST and thus are
1889            // assured this is truly an attempt to use it as
1890            // an identifier.
1891            kw::Dyn if !under_macro => (KEYWORD_IDENTS_2018, Edition::Edition2018),
1892
1893            kw::Gen => (KEYWORD_IDENTS_2024, Edition::Edition2024),
1894
1895            _ => return,
1896        };
1897
1898        // Don't lint `r#foo`.
1899        if ident.span.edition() >= edition
1900            || cx.sess().psess.raw_identifier_spans.contains(ident.span)
1901        {
1902            return;
1903        }
1904
1905        cx.emit_span_lint(
1906            lint,
1907            ident.span,
1908            BuiltinKeywordIdents { kw: ident, next: edition, suggestion: ident.span, prefix },
1909        );
1910    }
1911}
1912
1913impl EarlyLintPass for KeywordIdents {
1914    fn check_mac_def(&mut self, cx: &EarlyContext<'_>, mac_def: &ast::MacroDef) {
1915        self.check_tokens(cx, &mac_def.body.tokens);
1916    }
1917    fn check_mac(&mut self, cx: &EarlyContext<'_>, mac: &ast::MacCall) {
1918        self.check_tokens(cx, &mac.args.tokens);
1919    }
1920    fn check_ident(&mut self, cx: &EarlyContext<'_>, ident: &Ident) {
1921        if ident.name.as_str().starts_with('\'') {
1922            self.check_ident_token(cx, UnderMacro(false), ident.without_first_quote(), "'");
1923        } else {
1924            self.check_ident_token(cx, UnderMacro(false), *ident, "");
1925        }
1926    }
1927}
1928
1929pub struct ExplicitOutlivesRequirements;
#[automatically_derived]
impl ::core::marker::Copy for ExplicitOutlivesRequirements { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for ExplicitOutlivesRequirements { }
#[automatically_derived]
impl ::core::clone::Clone for ExplicitOutlivesRequirements {
    #[inline]
    fn clone(&self) -> ExplicitOutlivesRequirements { *self }
}
impl ::rustc_lint_defs::LintPass for ExplicitOutlivesRequirements {
    fn name(&self) -> &'static str { "ExplicitOutlivesRequirements" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [EXPLICIT_OUTLIVES_REQUIREMENTS]))
    }
}
impl ExplicitOutlivesRequirements {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [EXPLICIT_OUTLIVES_REQUIREMENTS]))
    }
}declare_lint_pass!(ExplicitOutlivesRequirements => [EXPLICIT_OUTLIVES_REQUIREMENTS]);
1930
1931impl ExplicitOutlivesRequirements {
1932    fn lifetimes_outliving_lifetime<'tcx>(
1933        tcx: TyCtxt<'tcx>,
1934        inferred_outlives: impl Iterator<Item = &'tcx (ty::Clause<'tcx>, Span)>,
1935        item: LocalDefId,
1936        lifetime: LocalDefId,
1937    ) -> Vec<ty::Region<'tcx>> {
1938        let item_generics = tcx.generics_of(item);
1939
1940        inferred_outlives
1941            .filter_map(|(clause, _)| match clause.kind().skip_binder() {
1942                ty::ClauseKind::RegionOutlives(ty::OutlivesPredicate(a, b)) => match a.kind() {
1943                    ty::ReEarlyParam(ebr)
1944                        if item_generics.region_param(ebr, tcx).def_id == lifetime.to_def_id() =>
1945                    {
1946                        Some(b)
1947                    }
1948                    _ => None,
1949                },
1950                _ => None,
1951            })
1952            .collect()
1953    }
1954
1955    fn lifetimes_outliving_type<'tcx>(
1956        inferred_outlives: impl Iterator<Item = &'tcx (ty::Clause<'tcx>, Span)>,
1957        index: u32,
1958    ) -> Vec<ty::Region<'tcx>> {
1959        inferred_outlives
1960            .filter_map(|(clause, _)| match clause.kind().skip_binder() {
1961                ty::ClauseKind::TypeOutlives(ty::OutlivesPredicate(a, b)) => {
1962                    a.is_param(index).then_some(b)
1963                }
1964                _ => None,
1965            })
1966            .collect()
1967    }
1968
1969    fn collect_outlives_bound_spans<'tcx>(
1970        &self,
1971        tcx: TyCtxt<'tcx>,
1972        bounds: &hir::GenericBounds<'_>,
1973        inferred_outlives: &[ty::Region<'tcx>],
1974        predicate_span: Span,
1975        item: DefId,
1976    ) -> Vec<(usize, Span)> {
1977        use rustc_middle::middle::resolve_bound_vars::ResolvedArg;
1978
1979        let item_generics = tcx.generics_of(item);
1980
1981        bounds
1982            .iter()
1983            .enumerate()
1984            .filter_map(|(i, bound)| {
1985                let hir::GenericBound::Outlives(lifetime) = bound else {
1986                    return None;
1987                };
1988
1989                let is_inferred = match tcx.named_bound_var(lifetime.hir_id) {
1990                    Some(ResolvedArg::EarlyBound(def_id)) => inferred_outlives
1991                        .iter()
1992                        .any(|r| #[allow(non_exhaustive_omitted_patterns)] match r.kind() {
    ty::ReEarlyParam(ebr) if
        { item_generics.region_param(ebr, tcx).def_id == def_id.to_def_id() }
        => true,
    _ => false,
}matches!(r.kind(), ty::ReEarlyParam(ebr) if { item_generics.region_param(ebr, tcx).def_id == def_id.to_def_id() })),
1993                    _ => false,
1994                };
1995
1996                if !is_inferred {
1997                    return None;
1998                }
1999
2000                let span = bound.span().find_ancestor_inside(predicate_span)?;
2001                if span.in_external_macro(tcx.sess.source_map()) {
2002                    return None;
2003                }
2004
2005                Some((i, span))
2006            })
2007            .collect()
2008    }
2009
2010    fn consolidate_outlives_bound_spans(
2011        &self,
2012        lo: Span,
2013        bounds: &hir::GenericBounds<'_>,
2014        bound_spans: Vec<(usize, Span)>,
2015    ) -> Vec<Span> {
2016        if bounds.is_empty() {
2017            return Vec::new();
2018        }
2019        if bound_spans.len() == bounds.len() {
2020            let (_, last_bound_span) = bound_spans[bound_spans.len() - 1];
2021            // If all bounds are inferable, we want to delete the colon, so
2022            // start from just after the parameter (span passed as argument)
2023            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [lo.to(last_bound_span)]))vec![lo.to(last_bound_span)]
2024        } else {
2025            let mut merged = Vec::new();
2026            let mut last_merged_i = None;
2027
2028            let mut from_start = true;
2029            for (i, bound_span) in bound_spans {
2030                match last_merged_i {
2031                    // If the first bound is inferable, our span should also eat the leading `+`.
2032                    None if i == 0 => {
2033                        merged.push(bound_span.to(bounds[1].span().shrink_to_lo()));
2034                        last_merged_i = Some(0);
2035                    }
2036                    // If consecutive bounds are inferable, merge their spans
2037                    Some(h) if i == h + 1 => {
2038                        if let Some(tail) = merged.last_mut() {
2039                            // Also eat the trailing `+` if the first
2040                            // more-than-one bound is inferable
2041                            let to_span = if from_start && i < bounds.len() {
2042                                bounds[i + 1].span().shrink_to_lo()
2043                            } else {
2044                                bound_span
2045                            };
2046                            *tail = tail.to(to_span);
2047                            last_merged_i = Some(i);
2048                        } else {
2049                            ::rustc_middle::util::bug::bug_fmt(format_args!("another bound-span visited earlier"));bug!("another bound-span visited earlier");
2050                        }
2051                    }
2052                    _ => {
2053                        // When we find a non-inferable bound, subsequent inferable bounds
2054                        // won't be consecutive from the start (and we'll eat the leading
2055                        // `+` rather than the trailing one)
2056                        from_start = false;
2057                        merged.push(bounds[i - 1].span().shrink_to_hi().to(bound_span));
2058                        last_merged_i = Some(i);
2059                    }
2060                }
2061            }
2062            merged
2063        }
2064    }
2065}
2066
2067impl<'tcx> LateLintPass<'tcx> for ExplicitOutlivesRequirements {
2068    fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::Item<'_>) {
2069        use rustc_middle::middle::resolve_bound_vars::ResolvedArg;
2070
2071        let def_id = item.owner_id.def_id;
2072        if let hir::ItemKind::Struct(_, generics, _)
2073        | hir::ItemKind::Enum(_, generics, _)
2074        | hir::ItemKind::Union(_, generics, _) = item.kind
2075        {
2076            let inferred_outlives = cx.tcx.inferred_outlives_of(def_id);
2077            if inferred_outlives.is_empty() {
2078                return;
2079            }
2080
2081            let ty_generics = cx.tcx.generics_of(def_id);
2082            let num_where_predicates = generics
2083                .predicates
2084                .iter()
2085                .filter(|predicate| predicate.kind.in_where_clause())
2086                .count();
2087
2088            let mut bound_count = 0;
2089            let mut lint_spans = Vec::new();
2090            let mut where_lint_spans = Vec::new();
2091            let mut dropped_where_predicate_count = 0;
2092            for (i, where_predicate) in generics.predicates.iter().enumerate() {
2093                let (relevant_lifetimes, bounds, predicate_span, in_where_clause) =
2094                    match where_predicate.kind {
2095                        hir::WherePredicateKind::RegionPredicate(predicate) => {
2096                            if let Some(ResolvedArg::EarlyBound(region_def_id)) =
2097                                cx.tcx.named_bound_var(predicate.lifetime.hir_id)
2098                            {
2099                                (
2100                                    Self::lifetimes_outliving_lifetime(
2101                                        cx.tcx,
2102                                        // don't warn if the inferred span actually came from the predicate we're looking at
2103                                        // this happens if the type is recursively defined
2104                                        inferred_outlives.iter().filter(|(_, span)| {
2105                                            !where_predicate.span.contains(*span)
2106                                        }),
2107                                        item.owner_id.def_id,
2108                                        region_def_id,
2109                                    ),
2110                                    &predicate.bounds,
2111                                    where_predicate.span,
2112                                    predicate.in_where_clause,
2113                                )
2114                            } else {
2115                                continue;
2116                            }
2117                        }
2118                        hir::WherePredicateKind::BoundPredicate(predicate) => {
2119                            // FIXME we can also infer bounds on associated types,
2120                            // and should check for them here.
2121                            match predicate.bounded_ty.kind {
2122                                hir::TyKind::Path(hir::QPath::Resolved(None, path)) => {
2123                                    let Res::Def(DefKind::TyParam, def_id) = path.res else {
2124                                        continue;
2125                                    };
2126                                    let index = ty_generics.param_def_id_to_index[&def_id];
2127                                    (
2128                                        Self::lifetimes_outliving_type(
2129                                            // don't warn if the inferred span actually came from the predicate we're looking at
2130                                            // this happens if the type is recursively defined
2131                                            inferred_outlives.iter().filter(|(_, span)| {
2132                                                !where_predicate.span.contains(*span)
2133                                            }),
2134                                            index,
2135                                        ),
2136                                        &predicate.bounds,
2137                                        where_predicate.span,
2138                                        predicate.origin == PredicateOrigin::WhereClause,
2139                                    )
2140                                }
2141                                _ => {
2142                                    continue;
2143                                }
2144                            }
2145                        }
2146                        _ => continue,
2147                    };
2148                if relevant_lifetimes.is_empty() {
2149                    continue;
2150                }
2151
2152                let bound_spans = self.collect_outlives_bound_spans(
2153                    cx.tcx,
2154                    bounds,
2155                    &relevant_lifetimes,
2156                    predicate_span,
2157                    item.owner_id.to_def_id(),
2158                );
2159                bound_count += bound_spans.len();
2160
2161                let drop_predicate = bound_spans.len() == bounds.len();
2162                if drop_predicate && in_where_clause {
2163                    dropped_where_predicate_count += 1;
2164                }
2165
2166                if drop_predicate {
2167                    if !in_where_clause {
2168                        lint_spans.push(predicate_span);
2169                    } else if predicate_span.from_expansion() {
2170                        // Don't try to extend the span if it comes from a macro expansion.
2171                        where_lint_spans.push(predicate_span);
2172                    } else if i + 1 < num_where_predicates {
2173                        // If all the bounds on a predicate were inferable and there are
2174                        // further predicates, we want to eat the trailing comma.
2175                        let next_predicate_span = generics.predicates[i + 1].span;
2176                        if next_predicate_span.from_expansion() {
2177                            where_lint_spans.push(predicate_span);
2178                        } else {
2179                            where_lint_spans
2180                                .push(predicate_span.to(next_predicate_span.shrink_to_lo()));
2181                        }
2182                    } else {
2183                        // Eat the optional trailing comma after the last predicate.
2184                        let where_span = generics.where_clause_span;
2185                        if where_span.from_expansion() {
2186                            where_lint_spans.push(predicate_span);
2187                        } else {
2188                            where_lint_spans.push(predicate_span.to(where_span.shrink_to_hi()));
2189                        }
2190                    }
2191                } else {
2192                    where_lint_spans.extend(self.consolidate_outlives_bound_spans(
2193                        predicate_span.shrink_to_lo(),
2194                        bounds,
2195                        bound_spans,
2196                    ));
2197                }
2198            }
2199
2200            // If all predicates in where clause are inferable, drop the entire clause
2201            // (including the `where`)
2202            if generics.has_where_clause_predicates
2203                && dropped_where_predicate_count == num_where_predicates
2204            {
2205                let where_span = generics.where_clause_span;
2206                // Extend the where clause back to the closing `>` of the
2207                // generics, except for tuple struct, which have the `where`
2208                // after the fields of the struct.
2209                let full_where_span =
2210                    if let hir::ItemKind::Struct(_, _, hir::VariantData::Tuple(..)) = item.kind {
2211                        where_span
2212                    } else {
2213                        generics.span.shrink_to_hi().to(where_span)
2214                    };
2215
2216                // Due to macro expansions, the `full_where_span` might not actually contain all
2217                // predicates.
2218                if where_lint_spans.iter().all(|&sp| full_where_span.contains(sp)) {
2219                    lint_spans.push(full_where_span);
2220                } else {
2221                    lint_spans.extend(where_lint_spans);
2222                }
2223            } else {
2224                lint_spans.extend(where_lint_spans);
2225            }
2226
2227            if !lint_spans.is_empty() {
2228                // Do not automatically delete outlives requirements from macros.
2229                let applicability = if lint_spans.iter().all(|sp| sp.can_be_used_for_suggestions())
2230                {
2231                    Applicability::MachineApplicable
2232                } else {
2233                    Applicability::MaybeIncorrect
2234                };
2235
2236                // Due to macros, there might be several predicates with the same span
2237                // and we only want to suggest removing them once.
2238                lint_spans.sort_unstable();
2239                lint_spans.dedup();
2240
2241                cx.emit_span_lint(
2242                    EXPLICIT_OUTLIVES_REQUIREMENTS,
2243                    lint_spans.clone(),
2244                    BuiltinExplicitOutlives {
2245                        count: bound_count,
2246                        suggestion: BuiltinExplicitOutlivesSuggestion {
2247                            spans: lint_spans,
2248                            applicability,
2249                        },
2250                    },
2251                );
2252            }
2253        }
2254    }
2255}
2256
2257#[doc =
r" The `incomplete_features` lint detects unstable features enabled with"]
#[doc =
r" the [`feature` attribute] that may function improperly in some or all"]
#[doc = r" cases."]
#[doc = r""]
#[doc =
r" [`feature` attribute]: https://doc.rust-lang.org/nightly/unstable-book/"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #![feature(generic_const_exprs)]"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Although it is encouraged for people to experiment with unstable"]
#[doc =
r" features, some of them are known to be incomplete or faulty. This lint"]
#[doc =
r" is a signal that the feature has not yet been finished, and you may"]
#[doc = r" experience problems with it."]
pub static INCOMPLETE_FEATURES: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "INCOMPLETE_FEATURES",
            default_level: ::rustc_lint_defs::Warn,
            desc: "incomplete features that may function improperly in some or all cases",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2258    /// The `incomplete_features` lint detects unstable features enabled with
2259    /// the [`feature` attribute] that may function improperly in some or all
2260    /// cases.
2261    ///
2262    /// [`feature` attribute]: https://doc.rust-lang.org/nightly/unstable-book/
2263    ///
2264    /// ### Example
2265    ///
2266    /// ```rust
2267    /// #![feature(generic_const_exprs)]
2268    /// ```
2269    ///
2270    /// {{produces}}
2271    ///
2272    /// ### Explanation
2273    ///
2274    /// Although it is encouraged for people to experiment with unstable
2275    /// features, some of them are known to be incomplete or faulty. This lint
2276    /// is a signal that the feature has not yet been finished, and you may
2277    /// experience problems with it.
2278    pub INCOMPLETE_FEATURES,
2279    Warn,
2280    "incomplete features that may function improperly in some or all cases"
2281}
2282
2283#[doc =
r" The `internal_features` lint detects unstable features enabled with"]
#[doc =
r" the [`feature` attribute] that are internal to the compiler or standard"]
#[doc = r" library."]
#[doc = r""]
#[doc =
r" [`feature` attribute]: https://doc.rust-lang.org/nightly/unstable-book/"]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #![feature(rustc_attrs)]"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" These features are an implementation detail of the compiler and standard"]
#[doc = r" library and are not supposed to be used in user code."]
pub static INTERNAL_FEATURES: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "INTERNAL_FEATURES",
            default_level: ::rustc_lint_defs::Warn,
            desc: "internal features are not supposed to be used",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2284    /// The `internal_features` lint detects unstable features enabled with
2285    /// the [`feature` attribute] that are internal to the compiler or standard
2286    /// library.
2287    ///
2288    /// [`feature` attribute]: https://doc.rust-lang.org/nightly/unstable-book/
2289    ///
2290    /// ### Example
2291    ///
2292    /// ```rust
2293    /// #![feature(rustc_attrs)]
2294    /// ```
2295    ///
2296    /// {{produces}}
2297    ///
2298    /// ### Explanation
2299    ///
2300    /// These features are an implementation detail of the compiler and standard
2301    /// library and are not supposed to be used in user code.
2302    pub INTERNAL_FEATURES,
2303    Warn,
2304    "internal features are not supposed to be used"
2305}
2306
2307#[doc =
r" Check for used feature gates in `INCOMPLETE_FEATURES` in `rustc_feature/src/unstable.rs`."]
pub struct IncompleteInternalFeatures;
#[automatically_derived]
impl ::core::marker::Copy for IncompleteInternalFeatures { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for IncompleteInternalFeatures { }
#[automatically_derived]
impl ::core::clone::Clone for IncompleteInternalFeatures {
    #[inline]
    fn clone(&self) -> IncompleteInternalFeatures { *self }
}
impl ::rustc_lint_defs::LintPass for IncompleteInternalFeatures {
    fn name(&self) -> &'static str { "IncompleteInternalFeatures" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INCOMPLETE_FEATURES, INTERNAL_FEATURES]))
    }
}
impl IncompleteInternalFeatures {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INCOMPLETE_FEATURES, INTERNAL_FEATURES]))
    }
}declare_lint_pass!(
2308    /// Check for used feature gates in `INCOMPLETE_FEATURES` in `rustc_feature/src/unstable.rs`.
2309    IncompleteInternalFeatures => [INCOMPLETE_FEATURES, INTERNAL_FEATURES]
2310);
2311
2312impl EarlyLintPass for IncompleteInternalFeatures {
2313    fn check_crate(&mut self, cx: &EarlyContext<'_>, _: &ast::Crate) {
2314        let features = cx.builder.features();
2315
2316        features
2317            .enabled_features_iter_stable_order()
2318            .filter(|(name, _)| features.incomplete(*name) || features.internal(*name))
2319            .for_each(|(name, span)| {
2320                if features.incomplete(name) {
2321                    let note = rustc_feature::find_feature_issue(name, GateIssue::Language)
2322                        .map(|n| BuiltinFeatureIssueNote { n });
2323                    let help =
2324                        HAS_MIN_FEATURES.contains(&name).then_some(BuiltinIncompleteFeaturesHelp);
2325
2326                    cx.emit_span_lint(
2327                        INCOMPLETE_FEATURES,
2328                        span,
2329                        BuiltinIncompleteFeatures { name, note, help },
2330                    );
2331                } else {
2332                    cx.emit_span_lint(INTERNAL_FEATURES, span, BuiltinInternalFeatures { name });
2333                }
2334            });
2335    }
2336}
2337
2338const HAS_MIN_FEATURES: &[Symbol] = &[sym::specialization];
2339
2340#[doc =
r" The `invalid_value` lint detects creating a value that is not valid,"]
#[doc = r" such as a null reference."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,no_run"]
#[doc = r" # #![allow(unused)]"]
#[doc = r" unsafe {"]
#[doc = r"     let x: &'static i32 = std::mem::zeroed();"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" In some situations the compiler can detect that the code is creating"]
#[doc = r" an invalid value, which should be avoided."]
#[doc = r""]
#[doc = r" In particular, this lint will check for improper use of"]
#[doc = r" [`mem::zeroed`], [`mem::uninitialized`], [`mem::transmute`], and"]
#[doc =
r" [`MaybeUninit::assume_init`] that can cause [undefined behavior]. The"]
#[doc =
r" lint should provide extra information to indicate what the problem is"]
#[doc = r" and a possible solution."]
#[doc = r""]
#[doc = r" [`mem::zeroed`]: https://doc.rust-lang.org/std/mem/fn.zeroed.html"]
#[doc =
r" [`mem::uninitialized`]: https://doc.rust-lang.org/std/mem/fn.uninitialized.html"]
#[doc =
r" [`mem::transmute`]: https://doc.rust-lang.org/std/mem/fn.transmute.html"]
#[doc =
r" [`MaybeUninit::assume_init`]: https://doc.rust-lang.org/std/mem/union.MaybeUninit.html#method.assume_init"]
#[doc =
r" [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html"]
pub static INVALID_VALUE: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "INVALID_VALUE",
            default_level: ::rustc_lint_defs::Warn,
            desc: "an invalid value is being created (such as a null reference)",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2341    /// The `invalid_value` lint detects creating a value that is not valid,
2342    /// such as a null reference.
2343    ///
2344    /// ### Example
2345    ///
2346    /// ```rust,no_run
2347    /// # #![allow(unused)]
2348    /// unsafe {
2349    ///     let x: &'static i32 = std::mem::zeroed();
2350    /// }
2351    /// ```
2352    ///
2353    /// {{produces}}
2354    ///
2355    /// ### Explanation
2356    ///
2357    /// In some situations the compiler can detect that the code is creating
2358    /// an invalid value, which should be avoided.
2359    ///
2360    /// In particular, this lint will check for improper use of
2361    /// [`mem::zeroed`], [`mem::uninitialized`], [`mem::transmute`], and
2362    /// [`MaybeUninit::assume_init`] that can cause [undefined behavior]. The
2363    /// lint should provide extra information to indicate what the problem is
2364    /// and a possible solution.
2365    ///
2366    /// [`mem::zeroed`]: https://doc.rust-lang.org/std/mem/fn.zeroed.html
2367    /// [`mem::uninitialized`]: https://doc.rust-lang.org/std/mem/fn.uninitialized.html
2368    /// [`mem::transmute`]: https://doc.rust-lang.org/std/mem/fn.transmute.html
2369    /// [`MaybeUninit::assume_init`]: https://doc.rust-lang.org/std/mem/union.MaybeUninit.html#method.assume_init
2370    /// [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html
2371    pub INVALID_VALUE,
2372    Warn,
2373    "an invalid value is being created (such as a null reference)"
2374}
2375
2376pub struct InvalidValue;
#[automatically_derived]
impl ::core::marker::Copy for InvalidValue { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for InvalidValue { }
#[automatically_derived]
impl ::core::clone::Clone for InvalidValue {
    #[inline]
    fn clone(&self) -> InvalidValue { *self }
}
impl ::rustc_lint_defs::LintPass for InvalidValue {
    fn name(&self) -> &'static str { "InvalidValue" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INVALID_VALUE]))
    }
}
impl InvalidValue {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INVALID_VALUE]))
    }
}declare_lint_pass!(InvalidValue => [INVALID_VALUE]);
2377
2378/// Information about why a type cannot be initialized this way.
2379pub struct InitError {
2380    pub(crate) message: String,
2381    /// Spans from struct fields and similar that can be obtained from just the type.
2382    pub(crate) span: Option<Span>,
2383    /// Used to report a trace through adts.
2384    pub(crate) nested: Option<Box<InitError>>,
2385}
2386impl InitError {
2387    fn spanned(self, span: Span) -> InitError {
2388        Self { span: Some(span), ..self }
2389    }
2390
2391    fn nested(self, nested: impl Into<Option<InitError>>) -> InitError {
2392        if !self.nested.is_none() {
    ::core::panicking::panic("assertion failed: self.nested.is_none()")
};assert!(self.nested.is_none());
2393        Self { nested: nested.into().map(Box::new), ..self }
2394    }
2395}
2396
2397impl<'a> From<&'a str> for InitError {
2398    fn from(s: &'a str) -> Self {
2399        s.to_owned().into()
2400    }
2401}
2402impl From<String> for InitError {
2403    fn from(message: String) -> Self {
2404        Self { message, span: None, nested: None }
2405    }
2406}
2407
2408impl<'tcx> LateLintPass<'tcx> for InvalidValue {
2409    fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &hir::Expr<'_>) {
2410        #[derive(#[automatically_derived]
impl ::core::fmt::Debug for InitKind {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                InitKind::Zeroed => "Zeroed",
                InitKind::Uninit => "Uninit",
            })
    }
}Debug, #[automatically_derived]
impl ::core::marker::Copy for InitKind { }Copy, #[automatically_derived]
impl ::core::clone::Clone for InitKind {
    #[inline]
    fn clone(&self) -> InitKind { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for InitKind {
    #[inline]
    fn eq(&self, other: &InitKind) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq)]
2411        enum InitKind {
2412            Zeroed,
2413            Uninit,
2414        }
2415
2416        /// Test if this constant is all-0.
2417        fn is_zero(expr: &hir::Expr<'_>) -> bool {
2418            use hir::ExprKind::*;
2419            use rustc_ast::LitKind::*;
2420            match &expr.kind {
2421                Lit(lit) => {
2422                    if let Int(i, _) = lit.node {
2423                        i == 0
2424                    } else {
2425                        false
2426                    }
2427                }
2428                Tup(tup) => tup.iter().all(is_zero),
2429                _ => false,
2430            }
2431        }
2432
2433        /// Determine if this expression is a "dangerous initialization".
2434        fn is_dangerous_init(cx: &LateContext<'_>, expr: &hir::Expr<'_>) -> Option<InitKind> {
2435            if let hir::ExprKind::Call(path_expr, args) = expr.kind
2436                // Find calls to `mem::{uninitialized,zeroed}` methods.
2437                && let hir::ExprKind::Path(ref qpath) = path_expr.kind
2438            {
2439                let def_id = cx.qpath_res(qpath, path_expr.hir_id).opt_def_id()?;
2440                match cx.tcx.get_diagnostic_name(def_id) {
2441                    Some(sym::mem_zeroed) => return Some(InitKind::Zeroed),
2442                    Some(sym::mem_uninitialized) => return Some(InitKind::Uninit),
2443                    Some(sym::transmute) if is_zero(&args[0]) => return Some(InitKind::Zeroed),
2444                    _ => {}
2445                }
2446            } else if let hir::ExprKind::MethodCall(_, receiver, ..) = expr.kind {
2447                // Find problematic calls to `MaybeUninit::assume_init`.
2448                let def_id = cx.typeck_results().type_dependent_def_id(expr.hir_id)?;
2449                if cx.tcx.is_diagnostic_item(sym::assume_init, def_id) {
2450                    // This is a call to *some* method named `assume_init`.
2451                    // See if the `self` parameter is one of the dangerous constructors.
2452                    if let hir::ExprKind::Call(path_expr, _) = receiver.kind
2453                        && let hir::ExprKind::Path(ref qpath) = path_expr.kind
2454                    {
2455                        let def_id = cx.qpath_res(qpath, path_expr.hir_id).opt_def_id()?;
2456                        match cx.tcx.get_diagnostic_name(def_id) {
2457                            Some(sym::maybe_uninit_zeroed) => return Some(InitKind::Zeroed),
2458                            Some(sym::maybe_uninit_uninit) => return Some(InitKind::Uninit),
2459                            _ => {}
2460                        }
2461                    }
2462                }
2463            }
2464
2465            None
2466        }
2467
2468        fn variant_find_init_error<'tcx>(
2469            cx: &LateContext<'tcx>,
2470            ty: Ty<'tcx>,
2471            variant: &VariantDef,
2472            args: ty::GenericArgsRef<'tcx>,
2473            descr: &str,
2474            init: InitKind,
2475        ) -> Option<InitError> {
2476            let mut field_err = variant.fields.iter().find_map(|field| {
2477                ty_find_init_error(cx, field.ty(cx.tcx, args), init).map(|mut err| {
2478                    if !field.did.is_local() {
2479                        err
2480                    } else if err.span.is_none() {
2481                        err.span = Some(cx.tcx.def_span(field.did));
2482                        (&mut err.message).write_fmt(format_args!(" (in this {0})", descr))write!(&mut err.message, " (in this {descr})").unwrap();
2483                        err
2484                    } else {
2485                        InitError::from(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("in this {0}", descr))
    })format!("in this {descr}"))
2486                            .spanned(cx.tcx.def_span(field.did))
2487                            .nested(err)
2488                    }
2489                })
2490            });
2491
2492            // Check if this ADT has a constrained layout (like `NonNull` and friends).
2493            if let Ok(layout) = cx.tcx.layout_of(cx.typing_env().as_query_input(ty)) {
2494                if let BackendRepr::Scalar(scalar) | BackendRepr::ScalarPair(scalar, _) =
2495                    &layout.backend_repr
2496                {
2497                    let range = scalar.valid_range(cx);
2498                    let msg = if !range.contains(0) {
2499                        "must be non-null"
2500                    } else if init == InitKind::Uninit && !scalar.is_always_valid(cx) {
2501                        // Prefer reporting on the fields over the entire struct for uninit,
2502                        // as the information bubbles out and it may be unclear why the type can't
2503                        // be null from just its outside signature.
2504
2505                        "must be initialized inside its custom valid range"
2506                    } else {
2507                        return field_err;
2508                    };
2509                    if let Some(field_err) = &mut field_err {
2510                        // Most of the time, if the field error is the same as the struct error,
2511                        // the struct error only happens because of the field error.
2512                        if field_err.message.contains(msg) {
2513                            field_err.message = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("because {0}", field_err.message))
    })format!("because {}", field_err.message);
2514                        }
2515                    }
2516                    return Some(InitError::from(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` {1}", ty, msg))
    })format!("`{ty}` {msg}")).nested(field_err));
2517                }
2518            }
2519            field_err
2520        }
2521
2522        /// Return `Some` only if we are sure this type does *not*
2523        /// allow zero initialization.
2524        fn ty_find_init_error<'tcx>(
2525            cx: &LateContext<'tcx>,
2526            ty: Ty<'tcx>,
2527            init: InitKind,
2528        ) -> Option<InitError> {
2529            let ty = cx.tcx.try_normalize_erasing_regions(cx.typing_env(), ty).unwrap_or(ty);
2530
2531            match ty.kind() {
2532                // Primitive types that don't like 0 as a value.
2533                ty::Ref(..) => Some("references must be non-null".into()),
2534                ty::Adt(..) if ty.is_box() => Some("`Box` must be non-null".into()),
2535                ty::FnPtr(..) => Some("function pointers must be non-null".into()),
2536                ty::Never => Some("the `!` type has no valid value".into()),
2537                ty::RawPtr(ty, _) if #[allow(non_exhaustive_omitted_patterns)] match ty.kind() {
    ty::Dynamic(..) => true,
    _ => false,
}matches!(ty.kind(), ty::Dynamic(..)) =>
2538                // raw ptr to dyn Trait
2539                {
2540                    Some("the vtable of a wide raw pointer must be non-null".into())
2541                }
2542                // Primitive types with other constraints.
2543                ty::Bool if init == InitKind::Uninit => {
2544                    Some("booleans must be either `true` or `false`".into())
2545                }
2546                ty::Char if init == InitKind::Uninit => {
2547                    Some("characters must be a valid Unicode codepoint".into())
2548                }
2549                ty::Int(_) | ty::Uint(_) if init == InitKind::Uninit => {
2550                    Some("integers must be initialized".into())
2551                }
2552                ty::Float(_) if init == InitKind::Uninit => {
2553                    Some("floats must be initialized".into())
2554                }
2555                ty::RawPtr(_, _) if init == InitKind::Uninit => {
2556                    Some("raw pointers must be initialized".into())
2557                }
2558                // Recurse and checks for some compound types. (but not unions)
2559                ty::Adt(adt_def, args) if !adt_def.is_union() => {
2560                    // Handle structs.
2561                    if adt_def.is_struct() {
2562                        return variant_find_init_error(
2563                            cx,
2564                            ty,
2565                            adt_def.non_enum_variant(),
2566                            args,
2567                            "struct field",
2568                            init,
2569                        );
2570                    }
2571                    // And now, enums.
2572                    let span = cx.tcx.def_span(adt_def.did());
2573                    let mut potential_variants = adt_def.variants().iter().filter_map(|variant| {
2574                        let definitely_inhabited = match variant
2575                            .inhabited_predicate(cx.tcx, *adt_def)
2576                            .instantiate(cx.tcx, args)
2577                            .apply_any_module(cx.tcx, cx.typing_env())
2578                        {
2579                            // Entirely skip uninhabited variants.
2580                            Some(false) => return None,
2581                            // Forward the others, but remember which ones are definitely inhabited.
2582                            Some(true) => true,
2583                            None => false,
2584                        };
2585                        Some((variant, definitely_inhabited))
2586                    });
2587                    let Some(first_variant) = potential_variants.next() else {
2588                        return Some(
2589                            InitError::from("enums with no inhabited variants have no valid value")
2590                                .spanned(span),
2591                        );
2592                    };
2593                    // So we have at least one potentially inhabited variant. Might we have two?
2594                    let Some(second_variant) = potential_variants.next() else {
2595                        // There is only one potentially inhabited variant. So we can recursively
2596                        // check that variant!
2597                        return variant_find_init_error(
2598                            cx,
2599                            ty,
2600                            first_variant.0,
2601                            args,
2602                            "field of the only potentially inhabited enum variant",
2603                            init,
2604                        );
2605                    };
2606                    // So we have at least two potentially inhabited variants. If we can prove that
2607                    // we have at least two *definitely* inhabited variants, then we have a tag and
2608                    // hence leaving this uninit is definitely disallowed. (Leaving it zeroed could
2609                    // be okay, depending on which variant is encoded as zero tag.)
2610                    if init == InitKind::Uninit {
2611                        let definitely_inhabited = (first_variant.1 as usize)
2612                            + (second_variant.1 as usize)
2613                            + potential_variants
2614                                .filter(|(_variant, definitely_inhabited)| *definitely_inhabited)
2615                                .count();
2616                        if definitely_inhabited > 1 {
2617                            return Some(InitError::from(
2618                                "enums with multiple inhabited variants have to be initialized to a variant",
2619                            ).spanned(span));
2620                        }
2621                    }
2622                    // We couldn't find anything wrong here.
2623                    None
2624                }
2625                ty::Tuple(..) => {
2626                    // Proceed recursively, check all fields.
2627                    ty.tuple_fields().iter().find_map(|field| ty_find_init_error(cx, field, init))
2628                }
2629                ty::Array(ty, len) => {
2630                    if #[allow(non_exhaustive_omitted_patterns)] match len.try_to_target_usize(cx.tcx)
    {
    Some(v) if v > 0 => true,
    _ => false,
}matches!(len.try_to_target_usize(cx.tcx), Some(v) if v > 0) {
2631                        // Array length known at array non-empty -- recurse.
2632                        ty_find_init_error(cx, *ty, init)
2633                    } else {
2634                        // Empty array or size unknown.
2635                        None
2636                    }
2637                }
2638                // Conservative fallback.
2639                _ => None,
2640            }
2641        }
2642
2643        if let Some(init) = is_dangerous_init(cx, expr) {
2644            // This conjures an instance of a type out of nothing,
2645            // using zeroed or uninitialized memory.
2646            // We are extremely conservative with what we warn about.
2647            let conjured_ty = cx.typeck_results().expr_ty(expr);
2648            if let Some(err) = {
    let _guard = NoTrimmedGuard::new();
    ty_find_init_error(cx, conjured_ty, init)
}with_no_trimmed_paths!(ty_find_init_error(cx, conjured_ty, init)) {
2649                let msg = match init {
2650                    InitKind::Zeroed => {
2651                        rustc_errors::DiagMessage::Inline(std::borrow::Cow::Borrowed("the type `{$ty}` does not permit zero-initialization"))msg!("the type `{$ty}` does not permit zero-initialization")
2652                    }
2653                    InitKind::Uninit => {
2654                        rustc_errors::DiagMessage::Inline(std::borrow::Cow::Borrowed("the type `{$ty}` does not permit being left uninitialized"))msg!("the type `{$ty}` does not permit being left uninitialized")
2655                    }
2656                };
2657                let sub = BuiltinUnpermittedTypeInitSub { err };
2658                cx.emit_span_lint(
2659                    INVALID_VALUE,
2660                    expr.span,
2661                    BuiltinUnpermittedTypeInit {
2662                        msg,
2663                        ty: conjured_ty,
2664                        label: expr.span,
2665                        sub,
2666                        tcx: cx.tcx,
2667                    },
2668                );
2669            }
2670        }
2671    }
2672}
2673
2674#[doc =
r" The `deref_nullptr` lint detects when a null pointer is dereferenced,"]
#[doc = r" which causes [undefined behavior]."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" # #![allow(unused)]"]
#[doc = r" use std::ptr;"]
#[doc = r" unsafe {"]
#[doc = r"     let x = &*ptr::null::<i32>();"]
#[doc = r"     let x = ptr::addr_of!(*ptr::null::<i32>());"]
#[doc = r"     let x = *(0 as *const i32);"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Dereferencing a null pointer causes [undefined behavior] if it is accessed"]
#[doc = r" (loaded from or stored to)."]
#[doc = r""]
#[doc =
r" [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html"]
pub static DEREF_NULLPTR: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "DEREF_NULLPTR",
            default_level: ::rustc_lint_defs::Deny,
            desc: "detects when an null pointer is dereferenced",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2675    /// The `deref_nullptr` lint detects when a null pointer is dereferenced,
2676    /// which causes [undefined behavior].
2677    ///
2678    /// ### Example
2679    ///
2680    /// ```rust,compile_fail
2681    /// # #![allow(unused)]
2682    /// use std::ptr;
2683    /// unsafe {
2684    ///     let x = &*ptr::null::<i32>();
2685    ///     let x = ptr::addr_of!(*ptr::null::<i32>());
2686    ///     let x = *(0 as *const i32);
2687    /// }
2688    /// ```
2689    ///
2690    /// {{produces}}
2691    ///
2692    /// ### Explanation
2693    ///
2694    /// Dereferencing a null pointer causes [undefined behavior] if it is accessed
2695    /// (loaded from or stored to).
2696    ///
2697    /// [undefined behavior]: https://doc.rust-lang.org/reference/behavior-considered-undefined.html
2698    pub DEREF_NULLPTR,
2699    Deny,
2700    "detects when an null pointer is dereferenced"
2701}
2702
2703pub struct DerefNullPtr;
#[automatically_derived]
impl ::core::marker::Copy for DerefNullPtr { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for DerefNullPtr { }
#[automatically_derived]
impl ::core::clone::Clone for DerefNullPtr {
    #[inline]
    fn clone(&self) -> DerefNullPtr { *self }
}
impl ::rustc_lint_defs::LintPass for DerefNullPtr {
    fn name(&self) -> &'static str { "DerefNullPtr" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [DEREF_NULLPTR]))
    }
}
impl DerefNullPtr {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [DEREF_NULLPTR]))
    }
}declare_lint_pass!(DerefNullPtr => [DEREF_NULLPTR]);
2704
2705impl<'tcx> LateLintPass<'tcx> for DerefNullPtr {
2706    fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &hir::Expr<'_>) {
2707        /// test if expression is a null ptr
2708        fn is_null_ptr(cx: &LateContext<'_>, expr: &hir::Expr<'_>) -> bool {
2709            let pointer_ty = cx.typeck_results().expr_ty(expr);
2710            let ty::RawPtr(pointee, _) = pointer_ty.kind() else {
2711                return false;
2712            };
2713            if let Ok(layout) = cx.tcx.layout_of(cx.typing_env().as_query_input(*pointee)) {
2714                if layout.layout.size() == rustc_abi::Size::ZERO {
2715                    return false;
2716                }
2717            }
2718
2719            match &expr.kind {
2720                hir::ExprKind::Cast(expr, ty) => {
2721                    if let hir::TyKind::Ptr(_) = ty.kind {
2722                        return is_zero(expr) || is_null_ptr(cx, expr);
2723                    }
2724                }
2725                // check for call to `core::ptr::null` or `core::ptr::null_mut`
2726                hir::ExprKind::Call(path, _) => {
2727                    if let hir::ExprKind::Path(ref qpath) = path.kind
2728                        && let Some(def_id) = cx.qpath_res(qpath, path.hir_id).opt_def_id()
2729                    {
2730                        return #[allow(non_exhaustive_omitted_patterns)] match cx.tcx.get_diagnostic_name(def_id)
    {
    Some(sym::ptr_null | sym::ptr_null_mut) => true,
    _ => false,
}matches!(
2731                            cx.tcx.get_diagnostic_name(def_id),
2732                            Some(sym::ptr_null | sym::ptr_null_mut)
2733                        );
2734                    }
2735                }
2736                _ => {}
2737            }
2738            false
2739        }
2740
2741        /// test if expression is the literal `0`
2742        fn is_zero(expr: &hir::Expr<'_>) -> bool {
2743            match &expr.kind {
2744                hir::ExprKind::Lit(lit) => {
2745                    if let LitKind::Int(a, _) = lit.node {
2746                        return a == 0;
2747                    }
2748                }
2749                _ => {}
2750            }
2751            false
2752        }
2753
2754        if let hir::ExprKind::Unary(hir::UnOp::Deref, expr_deref) = expr.kind
2755            && is_null_ptr(cx, expr_deref)
2756        {
2757            if let hir::Node::Expr(hir::Expr {
2758                kind: hir::ExprKind::AddrOf(hir::BorrowKind::Raw, ..),
2759                ..
2760            }) = cx.tcx.parent_hir_node(expr.hir_id)
2761            {
2762                // `&raw *NULL` is ok.
2763            } else {
2764                cx.emit_span_lint(
2765                    DEREF_NULLPTR,
2766                    expr.span,
2767                    BuiltinDerefNullptr { label: expr.span },
2768                );
2769            }
2770        }
2771    }
2772}
2773
2774#[doc =
r" The `named_asm_labels` lint detects the use of named labels in the"]
#[doc = r" inline `asm!` macro."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" # #![feature(asm_experimental_arch)]"]
#[doc = r" use std::arch::asm;"]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r"     unsafe {"]
#[doc = r#"         asm!("foo: bar");"#]
#[doc = r"     }"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" LLVM is allowed to duplicate inline assembly blocks for any"]
#[doc =
r" reason, for example when it is in a function that gets inlined. Because"]
#[doc =
r" of this, GNU assembler [local labels] *must* be used instead of labels"]
#[doc =
r" with a name. Using named labels might cause assembler or linker errors."]
#[doc = r""]
#[doc = r" See the explanation in [Rust By Example] for more details."]
#[doc = r""]
#[doc =
r" [local labels]: https://sourceware.org/binutils/docs/as/Symbol-Names.html#Local-Labels"]
#[doc =
r" [Rust By Example]: https://doc.rust-lang.org/nightly/rust-by-example/unsafe/asm.html#labels"]
pub static NAMED_ASM_LABELS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "NAMED_ASM_LABELS",
            default_level: ::rustc_lint_defs::Deny,
            desc: "named labels in inline assembly",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2775    /// The `named_asm_labels` lint detects the use of named labels in the
2776    /// inline `asm!` macro.
2777    ///
2778    /// ### Example
2779    ///
2780    /// ```rust,compile_fail
2781    /// # #![feature(asm_experimental_arch)]
2782    /// use std::arch::asm;
2783    ///
2784    /// fn main() {
2785    ///     unsafe {
2786    ///         asm!("foo: bar");
2787    ///     }
2788    /// }
2789    /// ```
2790    ///
2791    /// {{produces}}
2792    ///
2793    /// ### Explanation
2794    ///
2795    /// LLVM is allowed to duplicate inline assembly blocks for any
2796    /// reason, for example when it is in a function that gets inlined. Because
2797    /// of this, GNU assembler [local labels] *must* be used instead of labels
2798    /// with a name. Using named labels might cause assembler or linker errors.
2799    ///
2800    /// See the explanation in [Rust By Example] for more details.
2801    ///
2802    /// [local labels]: https://sourceware.org/binutils/docs/as/Symbol-Names.html#Local-Labels
2803    /// [Rust By Example]: https://doc.rust-lang.org/nightly/rust-by-example/unsafe/asm.html#labels
2804    pub NAMED_ASM_LABELS,
2805    Deny,
2806    "named labels in inline assembly",
2807}
2808
2809#[doc =
r" The `binary_asm_labels` lint detects the use of numeric labels containing only binary"]
#[doc = r" digits in the inline `asm!` macro."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,ignore (fails on non-x86_64)"]
#[doc = r#" #![cfg(target_arch = "x86_64")]"#]
#[doc = r""]
#[doc = r" use std::arch::asm;"]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r"     unsafe {"]
#[doc = r#"         asm!("0: jmp 0b");"#]
#[doc = r"     }"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" This will produce:"]
#[doc = r""]
#[doc = r" ```text"]
#[doc =
r" error: avoid using labels containing only the digits `0` and `1` in inline assembly"]
#[doc = r"  --> <source>:7:15"]
#[doc = r"   |"]
#[doc = r#" 7 |         asm!("0: jmp 0b");"#]
#[doc =
r"   |               ^ use a different label that doesn't start with `0` or `1`"]
#[doc = r"   |"]
#[doc = r"   = help: start numbering with `2` instead"]
#[doc =
r"   = note: an LLVM bug makes these labels ambiguous with a binary literal number on x86"]
#[doc =
r"   = note: see <https://github.com/llvm/llvm-project/issues/99547> for more information"]
#[doc = r"   = note: `#[deny(binary_asm_labels)]` on by default"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" An [LLVM bug] causes this code to fail to compile because it interprets the `0b` as a binary"]
#[doc =
r" literal instead of a reference to the previous local label `0`. To work around this bug,"]
#[doc = r" don't use labels that could be confused with a binary literal."]
#[doc = r""]
#[doc = r" This behavior is platform-specific to x86 and x86-64."]
#[doc = r""]
#[doc = r" See the explanation in [Rust By Example] for more details."]
#[doc = r""]
#[doc = r" [LLVM bug]: https://github.com/llvm/llvm-project/issues/99547"]
#[doc =
r" [Rust By Example]: https://doc.rust-lang.org/nightly/rust-by-example/unsafe/asm.html#labels"]
pub static BINARY_ASM_LABELS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "BINARY_ASM_LABELS",
            default_level: ::rustc_lint_defs::Deny,
            desc: "labels in inline assembly containing only 0 or 1 digits",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
2810    /// The `binary_asm_labels` lint detects the use of numeric labels containing only binary
2811    /// digits in the inline `asm!` macro.
2812    ///
2813    /// ### Example
2814    ///
2815    /// ```rust,ignore (fails on non-x86_64)
2816    /// #![cfg(target_arch = "x86_64")]
2817    ///
2818    /// use std::arch::asm;
2819    ///
2820    /// fn main() {
2821    ///     unsafe {
2822    ///         asm!("0: jmp 0b");
2823    ///     }
2824    /// }
2825    /// ```
2826    ///
2827    /// This will produce:
2828    ///
2829    /// ```text
2830    /// error: avoid using labels containing only the digits `0` and `1` in inline assembly
2831    ///  --> <source>:7:15
2832    ///   |
2833    /// 7 |         asm!("0: jmp 0b");
2834    ///   |               ^ use a different label that doesn't start with `0` or `1`
2835    ///   |
2836    ///   = help: start numbering with `2` instead
2837    ///   = note: an LLVM bug makes these labels ambiguous with a binary literal number on x86
2838    ///   = note: see <https://github.com/llvm/llvm-project/issues/99547> for more information
2839    ///   = note: `#[deny(binary_asm_labels)]` on by default
2840    /// ```
2841    ///
2842    /// ### Explanation
2843    ///
2844    /// An [LLVM bug] causes this code to fail to compile because it interprets the `0b` as a binary
2845    /// literal instead of a reference to the previous local label `0`. To work around this bug,
2846    /// don't use labels that could be confused with a binary literal.
2847    ///
2848    /// This behavior is platform-specific to x86 and x86-64.
2849    ///
2850    /// See the explanation in [Rust By Example] for more details.
2851    ///
2852    /// [LLVM bug]: https://github.com/llvm/llvm-project/issues/99547
2853    /// [Rust By Example]: https://doc.rust-lang.org/nightly/rust-by-example/unsafe/asm.html#labels
2854    pub BINARY_ASM_LABELS,
2855    Deny,
2856    "labels in inline assembly containing only 0 or 1 digits",
2857}
2858
2859pub struct AsmLabels;
#[automatically_derived]
impl ::core::marker::Copy for AsmLabels { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for AsmLabels { }
#[automatically_derived]
impl ::core::clone::Clone for AsmLabels {
    #[inline]
    fn clone(&self) -> AsmLabels { *self }
}
impl ::rustc_lint_defs::LintPass for AsmLabels {
    fn name(&self) -> &'static str { "AsmLabels" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NAMED_ASM_LABELS, BINARY_ASM_LABELS]))
    }
}
impl AsmLabels {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [NAMED_ASM_LABELS, BINARY_ASM_LABELS]))
    }
}declare_lint_pass!(AsmLabels => [NAMED_ASM_LABELS, BINARY_ASM_LABELS]);
2860
2861#[derive(#[automatically_derived]
impl ::core::fmt::Debug for AsmLabelKind {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                AsmLabelKind::Named => "Named",
                AsmLabelKind::FormatArg => "FormatArg",
                AsmLabelKind::Binary => "Binary",
            })
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for AsmLabelKind {
    #[inline]
    fn clone(&self) -> AsmLabelKind { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for AsmLabelKind { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for AsmLabelKind {
    #[inline]
    fn eq(&self, other: &AsmLabelKind) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for AsmLabelKind {
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq)]
2862enum AsmLabelKind {
2863    Named,
2864    FormatArg,
2865    Binary,
2866}
2867
2868/// Checks if a potential label is actually a Hexagon register span notation.
2869///
2870/// Hexagon assembly uses register span notation like `r1:0`, `V5:4.w`, `p1:0` etc.
2871/// These follow the pattern: `[letter][digit(s)]:[digit(s)][optional_suffix]`
2872///
2873/// Returns `true` if the string matches a valid Hexagon register span pattern.
2874pub fn is_hexagon_register_span(possible_label: &str) -> bool {
2875    // Extract the full register span from the context
2876    if let Some(colon_idx) = possible_label.find(':') {
2877        let after_colon = &possible_label[colon_idx + 1..];
2878        is_hexagon_register_span_impl(&possible_label[..colon_idx], after_colon)
2879    } else {
2880        false
2881    }
2882}
2883
2884/// Helper function for use within the lint when we have statement context.
2885fn is_hexagon_register_span_context(
2886    possible_label: &str,
2887    statement: &str,
2888    colon_idx: usize,
2889) -> bool {
2890    // Extract what comes after the colon in the statement
2891    let after_colon_start = colon_idx + 1;
2892    if after_colon_start >= statement.len() {
2893        return false;
2894    }
2895
2896    // Get the part after the colon, up to the next whitespace or special character
2897    let after_colon_full = &statement[after_colon_start..];
2898    let after_colon = after_colon_full
2899        .chars()
2900        .take_while(|&c| c.is_ascii_alphanumeric() || c == '.')
2901        .collect::<String>();
2902
2903    is_hexagon_register_span_impl(possible_label, &after_colon)
2904}
2905
2906/// Core implementation for checking hexagon register spans.
2907fn is_hexagon_register_span_impl(before_colon: &str, after_colon: &str) -> bool {
2908    if before_colon.len() < 1 || after_colon.is_empty() {
2909        return false;
2910    }
2911
2912    let mut chars = before_colon.chars();
2913    let start = chars.next().unwrap();
2914
2915    // Must start with a letter (r, V, p, etc.)
2916    if !start.is_ascii_alphabetic() {
2917        return false;
2918    }
2919
2920    let rest = &before_colon[1..];
2921
2922    // Check if the part after the first letter is all digits and non-empty
2923    if rest.is_empty() || !rest.chars().all(|c| c.is_ascii_digit()) {
2924        return false;
2925    }
2926
2927    // Check if after colon starts with digits (may have suffix like .w, .h)
2928    let digits_after = after_colon.chars().take_while(|c| c.is_ascii_digit()).collect::<String>();
2929
2930    !digits_after.is_empty()
2931}
2932
2933impl<'tcx> LateLintPass<'tcx> for AsmLabels {
2934    fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx hir::Expr<'tcx>) {
2935        if let hir::Expr {
2936            kind:
2937                hir::ExprKind::InlineAsm(hir::InlineAsm {
2938                    asm_macro: asm_macro @ (AsmMacro::Asm | AsmMacro::NakedAsm),
2939                    template_strs,
2940                    options,
2941                    ..
2942                }),
2943            ..
2944        } = expr
2945        {
2946            // Non-generic naked functions are allowed to define arbitrary
2947            // labels.
2948            if *asm_macro == AsmMacro::NakedAsm {
2949                let def_id = expr.hir_id.owner.def_id;
2950                if !cx.tcx.generics_of(def_id).requires_monomorphization(cx.tcx) {
2951                    return;
2952                }
2953            }
2954
2955            // asm with `options(raw)` does not do replacement with `{` and `}`.
2956            let raw = options.contains(InlineAsmOptions::RAW);
2957
2958            for (template_sym, template_snippet, template_span) in template_strs.iter() {
2959                let template_str = template_sym.as_str();
2960                let find_label_span = |needle: &str| -> Option<Span> {
2961                    if let Some(template_snippet) = template_snippet {
2962                        let snippet = template_snippet.as_str();
2963                        if let Some(pos) = snippet.find(needle) {
2964                            let end = pos
2965                                + snippet[pos..]
2966                                    .find(|c| c == ':')
2967                                    .unwrap_or(snippet[pos..].len() - 1);
2968                            let inner = InnerSpan::new(pos, end);
2969                            return Some(template_span.from_inner(inner));
2970                        }
2971                    }
2972
2973                    None
2974                };
2975
2976                // diagnostics are emitted per-template, so this is created here as opposed to the outer loop
2977                let mut spans = Vec::new();
2978
2979                // A semicolon might not actually be specified as a separator for all targets, but
2980                // it seems like LLVM accepts it always.
2981                let statements = template_str.split(|c| #[allow(non_exhaustive_omitted_patterns)] match c {
    '\n' | ';' => true,
    _ => false,
}matches!(c, '\n' | ';'));
2982                for statement in statements {
2983                    // If there's a comment, trim it from the statement
2984                    let statement = statement.find("//").map_or(statement, |idx| &statement[..idx]);
2985
2986                    // In this loop, if there is ever a non-label, no labels can come after it.
2987                    let mut start_idx = 0;
2988                    'label_loop: for (idx, _) in statement.match_indices(':') {
2989                        let possible_label = statement[start_idx..idx].trim();
2990                        let mut chars = possible_label.chars();
2991
2992                        let Some(start) = chars.next() else {
2993                            // Empty string means a leading ':' in this section, which is not a
2994                            // label.
2995                            break 'label_loop;
2996                        };
2997
2998                        // Whether a { bracket has been seen and its } hasn't been found yet.
2999                        let mut in_bracket = false;
3000                        let mut label_kind = AsmLabelKind::Named;
3001
3002                        // A label can also start with a format arg, if it's not a raw asm block.
3003                        if !raw && start == '{' {
3004                            in_bracket = true;
3005                            label_kind = AsmLabelKind::FormatArg;
3006                        } else if #[allow(non_exhaustive_omitted_patterns)] match start {
    '0' | '1' => true,
    _ => false,
}matches!(start, '0' | '1') {
3007                            // Binary labels have only the characters `0` or `1`.
3008                            label_kind = AsmLabelKind::Binary;
3009                        } else if !(start.is_ascii_alphabetic() || #[allow(non_exhaustive_omitted_patterns)] match start {
    '.' | '_' => true,
    _ => false,
}matches!(start, '.' | '_')) {
3010                            // Named labels start with ASCII letters, `.` or `_`.
3011                            // anything else is not a label
3012                            break 'label_loop;
3013                        }
3014
3015                        // Check for Hexagon register span notation (e.g., "r1:0", "V5:4", "V3:2.w")
3016                        // This is valid Hexagon assembly syntax, not a label
3017                        if #[allow(non_exhaustive_omitted_patterns)] match cx.tcx.sess.asm_arch {
    Some(InlineAsmArch::Hexagon) => true,
    _ => false,
}matches!(cx.tcx.sess.asm_arch, Some(InlineAsmArch::Hexagon))
3018                            && is_hexagon_register_span_context(possible_label, statement, idx)
3019                        {
3020                            break 'label_loop;
3021                        }
3022
3023                        for c in chars {
3024                            // Inside a template format arg, any character is permitted for the
3025                            // purposes of label detection because we assume that it can be
3026                            // replaced with some other valid label string later. `options(raw)`
3027                            // asm blocks cannot have format args, so they are excluded from this
3028                            // special case.
3029                            if !raw && in_bracket {
3030                                if c == '{' {
3031                                    // Nested brackets are not allowed in format args, this cannot
3032                                    // be a label.
3033                                    break 'label_loop;
3034                                }
3035
3036                                if c == '}' {
3037                                    // The end of the format arg.
3038                                    in_bracket = false;
3039                                }
3040                            } else if !raw && c == '{' {
3041                                // Start of a format arg.
3042                                in_bracket = true;
3043                                label_kind = AsmLabelKind::FormatArg;
3044                            } else {
3045                                let can_continue = match label_kind {
3046                                    // Format arg labels are considered to be named labels for the purposes
3047                                    // of continuing outside of their {} pair.
3048                                    AsmLabelKind::Named | AsmLabelKind::FormatArg => {
3049                                        c.is_ascii_alphanumeric() || #[allow(non_exhaustive_omitted_patterns)] match c {
    '_' | '$' => true,
    _ => false,
}matches!(c, '_' | '$')
3050                                    }
3051                                    AsmLabelKind::Binary => #[allow(non_exhaustive_omitted_patterns)] match c {
    '0' | '1' => true,
    _ => false,
}matches!(c, '0' | '1'),
3052                                };
3053
3054                                if !can_continue {
3055                                    // The potential label had an invalid character inside it, it
3056                                    // cannot be a label.
3057                                    break 'label_loop;
3058                                }
3059                            }
3060                        }
3061
3062                        // If all characters passed the label checks, this is a label.
3063                        spans.push((find_label_span(possible_label), label_kind));
3064                        start_idx = idx + 1;
3065                    }
3066                }
3067
3068                for (span, label_kind) in spans {
3069                    let missing_precise_span = span.is_none();
3070                    let span = span.unwrap_or(*template_span);
3071                    match label_kind {
3072                        AsmLabelKind::Named => {
3073                            cx.emit_span_lint(
3074                                NAMED_ASM_LABELS,
3075                                span,
3076                                InvalidAsmLabel::Named { missing_precise_span },
3077                            );
3078                        }
3079                        AsmLabelKind::FormatArg => {
3080                            cx.emit_span_lint(
3081                                NAMED_ASM_LABELS,
3082                                span,
3083                                InvalidAsmLabel::FormatArg { missing_precise_span },
3084                            );
3085                        }
3086                        // the binary asm issue only occurs when using intel syntax on x86 targets
3087                        AsmLabelKind::Binary
3088                            if !options.contains(InlineAsmOptions::ATT_SYNTAX)
3089                                && #[allow(non_exhaustive_omitted_patterns)] match cx.tcx.sess.asm_arch {
    Some(InlineAsmArch::X86 | InlineAsmArch::X86_64) | None => true,
    _ => false,
}matches!(
3090                                    cx.tcx.sess.asm_arch,
3091                                    Some(InlineAsmArch::X86 | InlineAsmArch::X86_64) | None
3092                                ) =>
3093                        {
3094                            cx.emit_span_lint(
3095                                BINARY_ASM_LABELS,
3096                                span,
3097                                InvalidAsmLabel::Binary { missing_precise_span, span },
3098                            )
3099                        }
3100                        // No lint on anything other than x86
3101                        AsmLabelKind::Binary => (),
3102                    };
3103                }
3104            }
3105        }
3106    }
3107}
3108
3109#[doc = r" The `special_module_name` lint detects module"]
#[doc = r" declarations for files that have a special meaning."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" mod lib;"]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r"     lib::run();"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" Cargo recognizes `lib.rs` and `main.rs` as the root of a"]
#[doc = r" library or binary crate, so declaring them as modules"]
#[doc = r" will lead to miscompilation of the crate unless configured"]
#[doc = r" explicitly."]
#[doc = r""]
#[doc = r" To access a library from a binary target within the same crate,"]
#[doc = r" use `your_crate_name::` as the path instead of `lib::`:"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" // bar/src/lib.rs"]
#[doc = r" fn run() {"]
#[doc = r"     // ..."]
#[doc = r" }"]
#[doc = r""]
#[doc = r" // bar/src/main.rs"]
#[doc = r" fn main() {"]
#[doc = r"     bar::run();"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" Binary targets cannot be used as libraries and so declaring"]
#[doc = r" one as a module is not allowed."]
pub static SPECIAL_MODULE_NAME: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "SPECIAL_MODULE_NAME",
            default_level: ::rustc_lint_defs::Warn,
            desc: "module declarations for files with a special meaning",
            is_externally_loaded: false,
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
3110    /// The `special_module_name` lint detects module
3111    /// declarations for files that have a special meaning.
3112    ///
3113    /// ### Example
3114    ///
3115    /// ```rust,compile_fail
3116    /// mod lib;
3117    ///
3118    /// fn main() {
3119    ///     lib::run();
3120    /// }
3121    /// ```
3122    ///
3123    /// {{produces}}
3124    ///
3125    /// ### Explanation
3126    ///
3127    /// Cargo recognizes `lib.rs` and `main.rs` as the root of a
3128    /// library or binary crate, so declaring them as modules
3129    /// will lead to miscompilation of the crate unless configured
3130    /// explicitly.
3131    ///
3132    /// To access a library from a binary target within the same crate,
3133    /// use `your_crate_name::` as the path instead of `lib::`:
3134    ///
3135    /// ```rust,compile_fail
3136    /// // bar/src/lib.rs
3137    /// fn run() {
3138    ///     // ...
3139    /// }
3140    ///
3141    /// // bar/src/main.rs
3142    /// fn main() {
3143    ///     bar::run();
3144    /// }
3145    /// ```
3146    ///
3147    /// Binary targets cannot be used as libraries and so declaring
3148    /// one as a module is not allowed.
3149    pub SPECIAL_MODULE_NAME,
3150    Warn,
3151    "module declarations for files with a special meaning",
3152}
3153
3154pub struct SpecialModuleName;
#[automatically_derived]
impl ::core::marker::Copy for SpecialModuleName { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for SpecialModuleName { }
#[automatically_derived]
impl ::core::clone::Clone for SpecialModuleName {
    #[inline]
    fn clone(&self) -> SpecialModuleName { *self }
}
impl ::rustc_lint_defs::LintPass for SpecialModuleName {
    fn name(&self) -> &'static str { "SpecialModuleName" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [SPECIAL_MODULE_NAME]))
    }
}
impl SpecialModuleName {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [SPECIAL_MODULE_NAME]))
    }
}declare_lint_pass!(SpecialModuleName => [SPECIAL_MODULE_NAME]);
3155
3156impl EarlyLintPass for SpecialModuleName {
3157    fn check_crate(&mut self, cx: &EarlyContext<'_>, krate: &ast::Crate) {
3158        for item in &krate.items {
3159            if let ast::ItemKind::Mod(
3160                _,
3161                ident,
3162                ast::ModKind::Unloaded | ast::ModKind::Loaded(_, ast::Inline::No { .. }, _),
3163            ) = item.kind
3164            {
3165                if item.attrs.iter().any(|a| a.has_name(sym::path)) {
3166                    continue;
3167                }
3168
3169                match ident.name.as_str() {
3170                    "lib" => cx.emit_span_lint(
3171                        SPECIAL_MODULE_NAME,
3172                        item.span,
3173                        BuiltinSpecialModuleNameUsed::Lib,
3174                    ),
3175                    "main" => cx.emit_span_lint(
3176                        SPECIAL_MODULE_NAME,
3177                        item.span,
3178                        BuiltinSpecialModuleNameUsed::Main,
3179                    ),
3180                    _ => continue,
3181                }
3182            }
3183        }
3184    }
3185}
3186
3187#[doc = r" The `internal_eq_trait_method_impls` lint detects manual"]
#[doc = r" implementations of `Eq::assert_receiver_is_total_eq`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" #[derive(PartialEq)]"]
#[doc = r" pub struct Foo;"]
#[doc = r""]
#[doc = r" impl Eq for Foo {"]
#[doc = r"     fn assert_receiver_is_total_eq(&self) {}"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc = r" This method existed so that `#[derive(Eq)]` could check that all"]
#[doc = r" fields of a type implement `Eq`. Other users were never supposed"]
#[doc = r" to implement it and it was hidden from documentation."]
#[doc = r""]
#[doc = r" Unfortunately, it was not explicitly marked as unstable and some"]
#[doc =
r" people have now mistakenly assumed they had to implement this method."]
#[doc = r""]
#[doc =
r" As the method is never called by the standard library, you can safely"]
#[doc =
r" remove any implementations of the method and just write `impl Eq for Foo {}`."]
#[doc = r""]
#[doc = r" This is a [future-incompatible] lint to transition this to a hard"]
#[doc = r" error in the future. See [issue #152336] for more details."]
#[doc = r""]
#[doc = r" [issue #152336]: https://github.com/rust-lang/rust/issues/152336"]
pub static INTERNAL_EQ_TRAIT_METHOD_IMPLS: &::rustc_lint_defs::Lint =
    &::rustc_lint_defs::Lint {
            name: "INTERNAL_EQ_TRAIT_METHOD_IMPLS",
            default_level: ::rustc_lint_defs::Warn,
            desc: "manual implementation of the internal `Eq::assert_receiver_is_total_eq` method",
            is_externally_loaded: false,
            future_incompatible: Some(::rustc_lint_defs::FutureIncompatibleInfo {
                    reason: ::rustc_lint_defs::FutureIncompatibilityReason::FutureReleaseError(::rustc_lint_defs::ReleaseFcw {
                            issue_number: 152336,
                        }),
                    report_in_deps: false,
                    ..::rustc_lint_defs::FutureIncompatibleInfo::default_fields_for_macro()
                }),
            ..::rustc_lint_defs::Lint::default_fields_for_macro()
        };declare_lint! {
3188    /// The `internal_eq_trait_method_impls` lint detects manual
3189    /// implementations of `Eq::assert_receiver_is_total_eq`.
3190    ///
3191    /// ### Example
3192    ///
3193    /// ```rust
3194    /// #[derive(PartialEq)]
3195    /// pub struct Foo;
3196    ///
3197    /// impl Eq for Foo {
3198    ///     fn assert_receiver_is_total_eq(&self) {}
3199    /// }
3200    /// ```
3201    ///
3202    /// {{produces}}
3203    ///
3204    /// ### Explanation
3205    ///
3206    /// This method existed so that `#[derive(Eq)]` could check that all
3207    /// fields of a type implement `Eq`. Other users were never supposed
3208    /// to implement it and it was hidden from documentation.
3209    ///
3210    /// Unfortunately, it was not explicitly marked as unstable and some
3211    /// people have now mistakenly assumed they had to implement this method.
3212    ///
3213    /// As the method is never called by the standard library, you can safely
3214    /// remove any implementations of the method and just write `impl Eq for Foo {}`.
3215    ///
3216    /// This is a [future-incompatible] lint to transition this to a hard
3217    /// error in the future. See [issue #152336] for more details.
3218    ///
3219    /// [issue #152336]: https://github.com/rust-lang/rust/issues/152336
3220    pub INTERNAL_EQ_TRAIT_METHOD_IMPLS,
3221    Warn,
3222    "manual implementation of the internal `Eq::assert_receiver_is_total_eq` method",
3223    @future_incompatible = FutureIncompatibleInfo {
3224        reason: fcw!(FutureReleaseError #152336),
3225        report_in_deps: false,
3226    };
3227}
3228
3229pub struct InternalEqTraitMethodImpls;
#[automatically_derived]
impl ::core::marker::Copy for InternalEqTraitMethodImpls { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for InternalEqTraitMethodImpls { }
#[automatically_derived]
impl ::core::clone::Clone for InternalEqTraitMethodImpls {
    #[inline]
    fn clone(&self) -> InternalEqTraitMethodImpls { *self }
}
impl ::rustc_lint_defs::LintPass for InternalEqTraitMethodImpls {
    fn name(&self) -> &'static str { "InternalEqTraitMethodImpls" }
    fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INTERNAL_EQ_TRAIT_METHOD_IMPLS]))
    }
}
impl InternalEqTraitMethodImpls {
    #[allow(unused)]
    pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
        ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
                [INTERNAL_EQ_TRAIT_METHOD_IMPLS]))
    }
}declare_lint_pass!(InternalEqTraitMethodImpls => [INTERNAL_EQ_TRAIT_METHOD_IMPLS]);
3230
3231impl<'tcx> LateLintPass<'tcx> for InternalEqTraitMethodImpls {
3232    fn check_impl_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx rustc_hir::ImplItem<'tcx>) {
3233        if let ImplItemImplKind::Trait { defaultness: _, trait_item_def_id: Ok(trait_item_def_id) } =
3234            item.impl_kind
3235            && cx.tcx.is_diagnostic_item(sym::assert_receiver_is_total_eq, trait_item_def_id)
3236        {
3237            cx.emit_span_lint(
3238                INTERNAL_EQ_TRAIT_METHOD_IMPLS,
3239                item.span,
3240                EqInternalMethodImplemented,
3241            );
3242        }
3243    }
3244}