1use 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::{
37 self, AssocContainer, Ty, TyCtxt, TypeVisitableExt, Unnormalized, Upcast, VariantDef,
38};
39pub use rustc_session::lint::builtin::*;
41use rustc_session::lint::fcw;
42use rustc_session::{declare_lint, declare_lint_pass, impl_lint_pass};
43use rustc_span::edition::Edition;
44use rustc_span::{DUMMY_SP, Ident, InnerSpan, Span, Spanned, Symbol, kw, sym};
45use rustc_target::asm::InlineAsmArch;
46use rustc_trait_selection::infer::{InferCtxtExt, TyCtxtInferExt};
47use rustc_trait_selection::traits;
48use rustc_trait_selection::traits::misc::type_allowed_to_implement_copy;
49use rustc_trait_selection::traits::query::evaluate_obligation::InferCtxtExt as _;
50
51use crate::errors::BuiltinEllipsisInclusiveRangePatterns;
52use crate::lints::{
53 BuiltinAnonymousParams, BuiltinConstNoMangle, BuiltinDerefNullptr, BuiltinDoubleNegations,
54 BuiltinDoubleNegationsAddParens, BuiltinEllipsisInclusiveRangePatternsLint,
55 BuiltinExplicitOutlives, BuiltinExplicitOutlivesSuggestion, BuiltinFeatureIssueNote,
56 BuiltinIncompleteFeatures, BuiltinIncompleteFeaturesHelp, BuiltinInternalFeatures,
57 BuiltinKeywordIdents, BuiltinMissingCopyImpl, BuiltinMissingDebugImpl, BuiltinMissingDoc,
58 BuiltinMutablesTransmutes, BuiltinNoMangleGeneric, BuiltinNonShorthandFieldPatterns,
59 BuiltinSpecialModuleNameUsed, BuiltinTrivialBounds, BuiltinTypeAliasBounds,
60 BuiltinUngatedAsyncFnTrackCaller, BuiltinUnpermittedTypeInit, BuiltinUnpermittedTypeInitSub,
61 BuiltinUnreachablePub, BuiltinUnsafe, BuiltinUnstableFeatures, BuiltinUnusedDocComment,
62 BuiltinUnusedDocCommentSub, BuiltinWhileTrue, EqInternalMethodImplemented, InvalidAsmLabel,
63};
64use crate::{EarlyContext, EarlyLintPass, LateContext, LateLintPass, Level, LintContext};
65#[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! {
66 WHILE_TRUE,
84 Warn,
85 "suggest using `loop { }` instead of `while true { }`"
86}
87
88pub 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]);
89
90impl EarlyLintPass for WhileTrue {
91 #[inline]
92 fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
93 if let ast::ExprKind::While(cond, _, label) = &e.kind
94 && let ast::ExprKind::Lit(token_lit) = cond.peel_parens().kind
95 && let token::Lit { kind: token::Bool, symbol: kw::True, .. } = token_lit
96 && !cond.span.from_expansion()
97 {
98 let condition_span = e.span.with_hi(cond.span.hi());
99 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!(
100 "{}loop",
101 label.map_or_else(String::new, |label| format!("{}: ", label.ident,))
102 );
103 cx.emit_span_lint(
104 WHILE_TRUE,
105 condition_span,
106 BuiltinWhileTrue { suggestion: condition_span, replace },
107 );
108 }
109 }
110}
111
112#[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! {
113 NON_SHORTHAND_FIELD_PATTERNS,
144 Warn,
145 "using `Struct { x: x }` instead of `Struct { x }` in a pattern"
146}
147
148pub 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]);
149
150impl<'tcx> LateLintPass<'tcx> for NonShorthandFieldPatterns {
151 fn check_pat(&mut self, cx: &LateContext<'_>, pat: &hir::Pat<'_>) {
152 if let PatKind::Struct(ref qpath, field_pats, _) = pat.kind
154 && cx.typeck_results().tainted_by_errors.is_none()
155 {
156 let variant = cx
157 .typeck_results()
158 .pat_ty(pat)
159 .ty_adt_def()
160 .expect("struct pattern type is not an ADT")
161 .variant_of_res(cx.qpath_res(qpath, pat.hir_id));
162 for fieldpat in field_pats {
163 if fieldpat.is_shorthand {
164 continue;
165 }
166 if fieldpat.span.from_expansion() {
167 continue;
171 }
172 if let PatKind::Binding(binding_annot, _, ident, None) = fieldpat.pat.kind {
173 if cx.tcx.find_field_index(ident, variant)
174 == Some(cx.typeck_results().field_index(fieldpat.hir_id))
175 {
176 cx.emit_span_lint(
177 NON_SHORTHAND_FIELD_PATTERNS,
178 fieldpat.span,
179 BuiltinNonShorthandFieldPatterns {
180 ident,
181 suggestion: fieldpat.span,
182 prefix: binding_annot.prefix_str(),
183 },
184 );
185 }
186 }
187 }
188 }
189 }
190}
191
192#[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! {
193 UNSAFE_CODE,
227 Allow,
228 "usage of `unsafe` code and other potentially unsound constructs",
229 @eval_always = true
230}
231
232pub 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]);
233
234impl UnsafeCode {
235 fn report_unsafe(
236 &self,
237 cx: &EarlyContext<'_>,
238 span: Span,
239 decorate: impl for<'a> Diagnostic<'a, ()>,
240 ) {
241 if span.allows_unsafe() {
243 return;
244 }
245
246 cx.emit_span_lint(UNSAFE_CODE, span, decorate);
247 }
248}
249
250impl EarlyLintPass for UnsafeCode {
251 #[inline]
252 fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
253 if let ast::ExprKind::Block(ref blk, _) = e.kind {
254 if blk.rules == ast::BlockCheckMode::Unsafe(ast::UserProvided) {
256 self.report_unsafe(cx, blk.span, BuiltinUnsafe::UnsafeBlock);
257 }
258 }
259 }
260
261 fn check_item(&mut self, cx: &EarlyContext<'_>, it: &ast::Item) {
262 match it.kind {
263 ast::ItemKind::Trait(box ast::Trait { safety: ast::Safety::Unsafe(_), .. }) => {
264 self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeTrait);
265 }
266
267 ast::ItemKind::Impl(ast::Impl {
268 of_trait: Some(box ast::TraitImplHeader { safety: ast::Safety::Unsafe(_), .. }),
269 ..
270 }) => {
271 self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeImpl);
272 }
273
274 ast::ItemKind::Fn(..) => {
275 if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
276 self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleFn);
277 }
278
279 if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
280 self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameFn);
281 }
282
283 if let Some(attr) = attr::find_by_name(&it.attrs, sym::link_section) {
284 self.report_unsafe(cx, attr.span, BuiltinUnsafe::LinkSectionFn);
285 }
286 }
287
288 ast::ItemKind::Static(..) => {
289 if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
290 self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleStatic);
291 }
292
293 if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
294 self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameStatic);
295 }
296
297 if let Some(attr) = attr::find_by_name(&it.attrs, sym::link_section) {
298 self.report_unsafe(cx, attr.span, BuiltinUnsafe::LinkSectionStatic);
299 }
300 }
301
302 ast::ItemKind::GlobalAsm(..) => {
303 self.report_unsafe(cx, it.span, BuiltinUnsafe::GlobalAsm);
304 }
305
306 ast::ItemKind::ForeignMod(ForeignMod { safety, .. }) => {
307 if let Safety::Unsafe(_) = safety {
308 self.report_unsafe(cx, it.span, BuiltinUnsafe::UnsafeExternBlock);
309 }
310 }
311
312 ast::ItemKind::MacroDef(..) => {
313 if let Some(hir::Attribute::Parsed(AttributeKind::AllowInternalUnsafe(span))) =
314 AttributeParser::parse_limited(
315 cx.builder.sess(),
316 &it.attrs,
317 &[sym::allow_internal_unsafe],
318 )
319 {
320 self.report_unsafe(cx, span, BuiltinUnsafe::AllowInternalUnsafe);
321 }
322 }
323
324 _ => {}
325 }
326 }
327
328 fn check_impl_item(&mut self, cx: &EarlyContext<'_>, it: &ast::AssocItem) {
329 if let ast::AssocItemKind::Fn(..) = it.kind {
330 if let Some(attr) = attr::find_by_name(&it.attrs, sym::no_mangle) {
331 self.report_unsafe(cx, attr.span, BuiltinUnsafe::NoMangleMethod);
332 }
333 if let Some(attr) = attr::find_by_name(&it.attrs, sym::export_name) {
334 self.report_unsafe(cx, attr.span, BuiltinUnsafe::ExportNameMethod);
335 }
336 }
337 }
338
339 fn check_fn(&mut self, cx: &EarlyContext<'_>, fk: FnKind<'_>, span: Span, _: ast::NodeId) {
340 if let FnKind::Fn(
341 ctxt,
342 _,
343 ast::Fn {
344 sig: ast::FnSig { header: ast::FnHeader { safety: ast::Safety::Unsafe(_), .. }, .. },
345 body,
346 ..
347 },
348 ) = fk
349 {
350 let decorator = match ctxt {
351 FnCtxt::Foreign => return,
352 FnCtxt::Free => BuiltinUnsafe::DeclUnsafeFn,
353 FnCtxt::Assoc(_) if body.is_none() => BuiltinUnsafe::DeclUnsafeMethod,
354 FnCtxt::Assoc(_) => BuiltinUnsafe::ImplUnsafeMethod,
355 };
356 self.report_unsafe(cx, span, decorator);
357 }
358 }
359}
360
361#[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! {
362 pub MISSING_DOCS,
382 Allow,
383 "detects missing documentation for public members",
384 report_in_external_macro
385}
386
387#[derive(#[automatically_derived]
impl ::core::default::Default for MissingDoc {
#[inline]
fn default() -> MissingDoc { MissingDoc {} }
}Default)]
388pub struct MissingDoc;
389
390impl ::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]);
391
392fn has_doc(attr: &hir::Attribute) -> bool {
393 if #[allow(non_exhaustive_omitted_patterns)] match attr {
hir::Attribute::Parsed(AttributeKind::DocComment { .. }) => true,
_ => false,
}matches!(attr, hir::Attribute::Parsed(AttributeKind::DocComment { .. })) {
394 return true;
395 }
396
397 if let hir::Attribute::Parsed(AttributeKind::Doc(d)) = attr
398 && #[allow(non_exhaustive_omitted_patterns)] match d.as_ref() {
DocAttribute { hidden: Some(..), .. } => true,
_ => false,
}matches!(d.as_ref(), DocAttribute { hidden: Some(..), .. })
399 {
400 return true;
401 }
402
403 false
404}
405
406impl MissingDoc {
407 fn check_missing_docs_attrs(
408 &self,
409 cx: &LateContext<'_>,
410 def_id: LocalDefId,
411 article: &'static str,
412 desc: &'static str,
413 ) {
414 if def_id != CRATE_DEF_ID && !cx.effective_visibilities.is_exported(def_id) {
418 return;
419 }
420
421 let attrs = cx.tcx.hir_attrs(cx.tcx.local_def_id_to_hir_id(def_id));
422 let has_doc = attrs.iter().any(has_doc);
423 if !has_doc {
424 cx.emit_span_lint(
425 MISSING_DOCS,
426 cx.tcx.def_span(def_id),
427 BuiltinMissingDoc { article, desc },
428 );
429 }
430 }
431}
432
433impl<'tcx> LateLintPass<'tcx> for MissingDoc {
434 fn check_crate(&mut self, cx: &LateContext<'_>) {
435 self.check_missing_docs_attrs(cx, CRATE_DEF_ID, "the", "crate");
436 }
437
438 fn check_item(&mut self, cx: &LateContext<'_>, it: &hir::Item<'_>) {
439 if let hir::ItemKind::Impl(..) | hir::ItemKind::Use(..) | hir::ItemKind::ExternCrate(..) =
444 it.kind
445 {
446 return;
447 }
448
449 let (article, desc) = cx.tcx.article_and_description(it.owner_id.to_def_id());
450 self.check_missing_docs_attrs(cx, it.owner_id.def_id, article, desc);
451 }
452
453 fn check_trait_item(&mut self, cx: &LateContext<'_>, trait_item: &hir::TraitItem<'_>) {
454 let (article, desc) = cx.tcx.article_and_description(trait_item.owner_id.to_def_id());
455
456 self.check_missing_docs_attrs(cx, trait_item.owner_id.def_id, article, desc);
457 }
458
459 fn check_impl_item(&mut self, cx: &LateContext<'_>, impl_item: &hir::ImplItem<'_>) {
460 let container = cx.tcx.associated_item(impl_item.owner_id.def_id).container;
461
462 match container {
463 AssocContainer::TraitImpl(_) => return,
465 AssocContainer::Trait => {}
466 AssocContainer::InherentImpl => {
468 let parent = cx.tcx.hir_get_parent_item(impl_item.hir_id());
469 let impl_ty = cx.tcx.type_of(parent).instantiate_identity().skip_norm_wip();
470 let outerdef = match impl_ty.kind() {
471 ty::Adt(def, _) => Some(def.did()),
472 ty::Foreign(def_id) => Some(*def_id),
473 _ => None,
474 };
475 let is_hidden = match outerdef {
476 Some(id) => cx.tcx.is_doc_hidden(id),
477 None => false,
478 };
479 if is_hidden {
480 return;
481 }
482 }
483 }
484
485 let (article, desc) = cx.tcx.article_and_description(impl_item.owner_id.to_def_id());
486 self.check_missing_docs_attrs(cx, impl_item.owner_id.def_id, article, desc);
487 }
488
489 fn check_foreign_item(&mut self, cx: &LateContext<'_>, foreign_item: &hir::ForeignItem<'_>) {
490 let (article, desc) = cx.tcx.article_and_description(foreign_item.owner_id.to_def_id());
491 self.check_missing_docs_attrs(cx, foreign_item.owner_id.def_id, article, desc);
492 }
493
494 fn check_field_def(&mut self, cx: &LateContext<'_>, sf: &hir::FieldDef<'_>) {
495 if !sf.is_positional() {
496 self.check_missing_docs_attrs(cx, sf.def_id, "a", "struct field")
497 }
498 }
499
500 fn check_variant(&mut self, cx: &LateContext<'_>, v: &hir::Variant<'_>) {
501 self.check_missing_docs_attrs(cx, v.def_id, "a", "variant");
502 }
503}
504
505#[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! {
506 pub MISSING_COPY_IMPLEMENTATIONS,
535 Allow,
536 "detects potentially-forgotten implementations of `Copy`"
537}
538
539pub 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]);
540
541impl<'tcx> LateLintPass<'tcx> for MissingCopyImplementations {
542 fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
543 if !cx.effective_visibilities.is_reachable(item.owner_id.def_id) {
544 return;
545 }
546 let (def, ty) = match item.kind {
547 hir::ItemKind::Struct(_, generics, _) => {
548 if !generics.params.is_empty() {
549 return;
550 }
551 let def = cx.tcx.adt_def(item.owner_id);
552 (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
553 }
554 hir::ItemKind::Union(_, generics, _) => {
555 if !generics.params.is_empty() {
556 return;
557 }
558 let def = cx.tcx.adt_def(item.owner_id);
559 (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
560 }
561 hir::ItemKind::Enum(_, generics, _) => {
562 if !generics.params.is_empty() {
563 return;
564 }
565 let def = cx.tcx.adt_def(item.owner_id);
566 (def, Ty::new_adt(cx.tcx, def, ty::List::empty()))
567 }
568 _ => return,
569 };
570 if def.has_dtor(cx.tcx) {
571 return;
572 }
573
574 for field in def.all_fields() {
577 let did = field.did;
578 if cx.tcx.type_of(did).instantiate_identity().skip_norm_wip().is_raw_ptr() {
579 return;
580 }
581 }
582 if cx.type_is_copy_modulo_regions(ty) {
583 return;
584 }
585 if type_implements_negative_copy_modulo_regions(cx.tcx, ty, cx.typing_env()) {
586 return;
587 }
588 if def.is_variant_list_non_exhaustive()
589 || def.variants().iter().any(|variant| variant.is_field_list_non_exhaustive())
590 {
591 return;
592 }
593
594 if let Some(iter_trait) = cx.tcx.get_diagnostic_item(sym::Iterator)
597 && cx
598 .tcx
599 .infer_ctxt()
600 .build(cx.typing_mode())
601 .type_implements_trait(iter_trait, [ty], cx.param_env)
602 .must_apply_modulo_regions()
603 {
604 return;
605 }
606
607 const MAX_SIZE: u64 = 256;
609
610 if let Some(size) = cx.layout_of(ty).ok().map(|l| l.size.bytes()) {
611 if size > MAX_SIZE {
612 return;
613 }
614 }
615
616 if type_allowed_to_implement_copy(
617 cx.tcx,
618 cx.param_env,
619 ty,
620 traits::ObligationCause::misc(item.span, item.owner_id.def_id),
621 hir::Safety::Safe,
622 )
623 .is_ok()
624 {
625 cx.emit_span_lint(MISSING_COPY_IMPLEMENTATIONS, item.span, BuiltinMissingCopyImpl);
626 }
627 }
628}
629
630fn type_implements_negative_copy_modulo_regions<'tcx>(
632 tcx: TyCtxt<'tcx>,
633 ty: Ty<'tcx>,
634 typing_env: ty::TypingEnv<'tcx>,
635) -> bool {
636 let (infcx, param_env) = tcx.infer_ctxt().build_with_typing_env(typing_env);
637 let trait_ref =
638 ty::TraitRef::new(tcx, tcx.require_lang_item(hir::LangItem::Copy, DUMMY_SP), [ty]);
639 let pred = ty::TraitPredicate { trait_ref, polarity: ty::PredicatePolarity::Negative };
640 let obligation = traits::Obligation {
641 cause: traits::ObligationCause::dummy(),
642 param_env,
643 recursion_depth: 0,
644 predicate: pred.upcast(tcx),
645 };
646 infcx.predicate_must_hold_modulo_regions(&obligation)
647}
648
649#[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! {
650 MISSING_DEBUG_IMPLEMENTATIONS,
677 Allow,
678 "detects missing implementations of Debug"
679}
680
681#[derive(#[automatically_derived]
impl ::core::default::Default for MissingDebugImplementations {
#[inline]
fn default() -> MissingDebugImplementations {
MissingDebugImplementations {}
}
}Default)]
682pub(crate) struct MissingDebugImplementations;
683
684impl ::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]);
685
686impl<'tcx> LateLintPass<'tcx> for MissingDebugImplementations {
687 fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
688 if !cx.effective_visibilities.is_reachable(item.owner_id.def_id) {
689 return;
690 }
691
692 match item.kind {
693 hir::ItemKind::Struct(..) | hir::ItemKind::Union(..) | hir::ItemKind::Enum(..) => {}
694 _ => return,
695 }
696
697 let LevelAndSource { level, .. } =
699 cx.tcx.lint_level_at_node(MISSING_DEBUG_IMPLEMENTATIONS, item.hir_id());
700 if level == Level::Allow {
701 return;
702 }
703
704 let Some(debug) = cx.tcx.get_diagnostic_item(sym::Debug) else { return };
705
706 let has_impl = cx
707 .tcx
708 .non_blanket_impls_for_ty(
709 debug,
710 cx.tcx.type_of(item.owner_id).instantiate_identity().skip_norm_wip(),
711 )
712 .next()
713 .is_some();
714 if !has_impl {
715 cx.emit_span_lint(
716 MISSING_DEBUG_IMPLEMENTATIONS,
717 item.span,
718 BuiltinMissingDebugImpl { tcx: cx.tcx, def_id: debug },
719 );
720 }
721 }
722}
723
724#[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! {
725 pub ANONYMOUS_PARAMETERS,
764 Warn,
765 "detects anonymous parameters",
766 @future_incompatible = FutureIncompatibleInfo {
767 reason: fcw!(EditionError 2018 "trait-fn-parameters"),
768 };
769}
770
771#[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!(
772 AnonymousParameters => [ANONYMOUS_PARAMETERS]
774);
775
776impl EarlyLintPass for AnonymousParameters {
777 fn check_trait_item(&mut self, cx: &EarlyContext<'_>, it: &ast::AssocItem) {
778 if cx.sess().edition() != Edition::Edition2015 {
779 return;
781 }
782 if let ast::AssocItemKind::Fn(box Fn { ref sig, .. }) = it.kind {
783 for arg in sig.decl.inputs.iter() {
784 if let ast::PatKind::Missing = arg.pat.kind {
785 let ty_snip = cx.sess().source_map().span_to_snippet(arg.ty.span);
786
787 let (ty_snip, appl) = if let Ok(ref snip) = ty_snip {
788 (snip.as_str(), Applicability::MachineApplicable)
789 } else {
790 ("<type>", Applicability::HasPlaceholders)
791 };
792 cx.emit_span_lint(
793 ANONYMOUS_PARAMETERS,
794 arg.pat.span,
795 BuiltinAnonymousParams { suggestion: (arg.pat.span, appl), ty_snip },
796 );
797 }
798 }
799 }
800 }
801}
802
803fn warn_if_doc(cx: &EarlyContext<'_>, node_span: Span, node_kind: &str, attrs: &[ast::Attribute]) {
804 use rustc_ast::token::CommentKind;
805
806 let mut attrs = attrs.iter().peekable();
807
808 let mut sugared_span: Option<Span> = None;
810
811 while let Some(attr) = attrs.next() {
812 let (is_doc_comment, is_doc_attribute) = match &attr.kind {
813 AttrKind::DocComment(..) => (true, false),
814 AttrKind::Normal(normal) if normal.item.path == sym::doc => (true, true),
815 _ => (false, false),
816 };
817 if is_doc_comment {
818 sugared_span =
819 Some(sugared_span.map_or(attr.span, |span| span.with_hi(attr.span.hi())));
820 }
821
822 if !is_doc_attribute && attrs.peek().is_some_and(|next_attr| next_attr.is_doc_comment()) {
823 continue;
824 }
825
826 let span = sugared_span.take().unwrap_or(attr.span);
827
828 if is_doc_comment || is_doc_attribute {
829 let sub = match attr.kind {
830 AttrKind::DocComment(CommentKind::Line, _) | AttrKind::Normal(..) => {
831 BuiltinUnusedDocCommentSub::PlainHelp
832 }
833 AttrKind::DocComment(CommentKind::Block, _) => {
834 BuiltinUnusedDocCommentSub::BlockHelp
835 }
836 };
837 cx.emit_span_lint(
838 UNUSED_DOC_COMMENTS,
839 span,
840 BuiltinUnusedDocComment { kind: node_kind, label: node_span, sub },
841 );
842 }
843 }
844}
845
846impl EarlyLintPass for UnusedDocComment {
847 fn check_stmt(&mut self, cx: &EarlyContext<'_>, stmt: &ast::Stmt) {
848 let kind = match stmt.kind {
849 ast::StmtKind::Let(..) => "statements",
850 ast::StmtKind::Item(..) => return,
852 ast::StmtKind::Empty
854 | ast::StmtKind::Semi(_)
855 | ast::StmtKind::Expr(_)
856 | ast::StmtKind::MacCall(_) => return,
857 };
858
859 warn_if_doc(cx, stmt.span, kind, stmt.kind.attrs());
860 }
861
862 fn check_arm(&mut self, cx: &EarlyContext<'_>, arm: &ast::Arm) {
863 if let Some(body) = &arm.body {
864 let arm_span = arm.pat.span.with_hi(body.span.hi());
865 warn_if_doc(cx, arm_span, "match arms", &arm.attrs);
866 }
867 }
868
869 fn check_pat(&mut self, cx: &EarlyContext<'_>, pat: &ast::Pat) {
870 if let ast::PatKind::Struct(_, _, fields, _) = &pat.kind {
871 for field in fields {
872 warn_if_doc(cx, field.span, "pattern fields", &field.attrs);
873 }
874 }
875 }
876
877 fn check_expr(&mut self, cx: &EarlyContext<'_>, expr: &ast::Expr) {
878 warn_if_doc(cx, expr.span, "expressions", &expr.attrs);
879
880 if let ExprKind::Struct(s) = &expr.kind {
881 for field in &s.fields {
882 warn_if_doc(cx, field.span, "expression fields", &field.attrs);
883 }
884 }
885 }
886
887 fn check_generic_param(&mut self, cx: &EarlyContext<'_>, param: &ast::GenericParam) {
888 warn_if_doc(cx, param.ident.span, "generic parameters", ¶m.attrs);
889 }
890
891 fn check_block(&mut self, cx: &EarlyContext<'_>, block: &ast::Block) {
892 warn_if_doc(cx, block.span, "blocks", block.attrs());
893 }
894
895 fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
896 if let ast::ItemKind::ForeignMod(_) = item.kind {
897 warn_if_doc(cx, item.span, "extern blocks", &item.attrs);
898 }
899 }
900}
901
902#[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! {
903 NO_MANGLE_CONST_ITEMS,
925 Deny,
926 "const items will not have their symbols exported"
927}
928
929#[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! {
930 NO_MANGLE_GENERIC_ITEMS,
954 Warn,
955 "generic items must be mangled"
956}
957
958pub 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]);
959
960impl InvalidNoMangleItems {
961 fn check_no_mangle_on_generic_fn(
962 &self,
963 cx: &LateContext<'_>,
964 attr_span: Span,
965 def_id: LocalDefId,
966 ) {
967 let generics = cx.tcx.generics_of(def_id);
968 if generics.requires_monomorphization(cx.tcx) {
969 cx.emit_span_lint(
970 NO_MANGLE_GENERIC_ITEMS,
971 cx.tcx.def_span(def_id),
972 BuiltinNoMangleGeneric { suggestion: attr_span },
973 );
974 }
975 }
976}
977
978impl<'tcx> LateLintPass<'tcx> for InvalidNoMangleItems {
979 fn check_item(&mut self, cx: &LateContext<'_>, it: &hir::Item<'_>) {
980 let attrs = cx.tcx.hir_attrs(it.hir_id());
981 match it.kind {
982 hir::ItemKind::Fn { .. } => {
983 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)
984 .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))
985 {
986 self.check_no_mangle_on_generic_fn(cx, attr_span, it.owner_id.def_id);
987 }
988 }
989 hir::ItemKind::Const(ident, generics, ..) => {
990 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(..)) {
991 let suggestion =
992 if generics.params.is_empty() && generics.where_clause_span.is_empty() {
993 Some(it.span.until(ident.span))
995 } else {
996 None
997 };
998
999 cx.emit_span_lint(
1002 NO_MANGLE_CONST_ITEMS,
1003 it.span,
1004 BuiltinConstNoMangle { suggestion },
1005 );
1006 }
1007 }
1008 _ => {}
1009 }
1010 }
1011
1012 fn check_impl_item(&mut self, cx: &LateContext<'_>, it: &hir::ImplItem<'_>) {
1013 let attrs = cx.tcx.hir_attrs(it.hir_id());
1014 match it.kind {
1015 hir::ImplItemKind::Fn { .. } => {
1016 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)
1017 .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))
1018 {
1019 self.check_no_mangle_on_generic_fn(cx, attr_span, it.owner_id.def_id);
1020 }
1021 }
1022 _ => {}
1023 }
1024 }
1025}
1026
1027#[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! {
1028 MUTABLE_TRANSMUTES,
1050 Deny,
1051 "transmuting &T to &mut T is undefined behavior, even if the reference is unused"
1052}
1053
1054pub 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]);
1055
1056impl<'tcx> LateLintPass<'tcx> for MutableTransmutes {
1057 fn check_expr(&mut self, cx: &LateContext<'_>, expr: &hir::Expr<'_>) {
1058 if let Some((&ty::Ref(_, _, from_mutbl), &ty::Ref(_, _, to_mutbl))) =
1059 get_transmute_from_to(cx, expr).map(|(ty1, ty2)| (ty1.kind(), ty2.kind()))
1060 {
1061 if from_mutbl < to_mutbl {
1062 cx.emit_span_lint(MUTABLE_TRANSMUTES, expr.span, BuiltinMutablesTransmutes);
1063 }
1064 }
1065
1066 fn get_transmute_from_to<'tcx>(
1067 cx: &LateContext<'tcx>,
1068 expr: &hir::Expr<'_>,
1069 ) -> Option<(Ty<'tcx>, Ty<'tcx>)> {
1070 let hir::ExprKind::Path(ref qpath) = expr.kind else { return None };
1071 let def = cx.qpath_res(qpath, expr.hir_id);
1072 if let Res::Def(DefKind::Fn, did) = def {
1073 if !def_id_is_transmute(cx, did) {
1074 return None;
1075 }
1076 let sig = cx.typeck_results().node_type(expr.hir_id).fn_sig(cx.tcx);
1077 let from = sig.inputs().skip_binder()[0];
1078 let to = sig.output().skip_binder();
1079 return Some((from, to));
1080 }
1081 None
1082 }
1083
1084 fn def_id_is_transmute(cx: &LateContext<'_>, def_id: DefId) -> bool {
1085 cx.tcx.is_intrinsic(def_id, sym::transmute)
1086 }
1087 }
1088}
1089
1090#[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! {
1091 UNSTABLE_FEATURES,
1113 Allow,
1114 "enabling unstable features"
1115}
1116
1117#[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!(
1118 UnstableFeatures => [UNSTABLE_FEATURES]
1120);
1121
1122impl<'tcx> LateLintPass<'tcx> for UnstableFeatures {
1123 fn check_attributes(&mut self, cx: &LateContext<'_>, attrs: &[hir::Attribute]) {
1124 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) {
1125 for feature in features {
1126 cx.emit_span_lint(UNSTABLE_FEATURES, feature.span, BuiltinUnstableFeatures);
1127 }
1128 }
1129 }
1130}
1131
1132#[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! {
1133 UNGATED_ASYNC_FN_TRACK_CALLER,
1154 Warn,
1155 "enabling track_caller on an async fn is a no-op unless the async_fn_track_caller feature is enabled"
1156}
1157
1158#[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!(
1159 UngatedAsyncFnTrackCaller => [UNGATED_ASYNC_FN_TRACK_CALLER]
1162);
1163
1164impl<'tcx> LateLintPass<'tcx> for UngatedAsyncFnTrackCaller {
1165 fn check_fn(
1166 &mut self,
1167 cx: &LateContext<'_>,
1168 fn_kind: HirFnKind<'_>,
1169 _: &'tcx FnDecl<'_>,
1170 _: &'tcx Body<'_>,
1171 span: Span,
1172 def_id: LocalDefId,
1173 ) {
1174 if fn_kind.asyncness().is_async()
1175 && !cx.tcx.features().async_fn_track_caller()
1176 && let Some(attr_span) = {
{
'done:
{
for i in ::rustc_hir::attrs::HasAttrs::get_attrs(def_id, &cx.tcx)
{
#[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)
1178 {
1179 cx.emit_span_lint(
1180 UNGATED_ASYNC_FN_TRACK_CALLER,
1181 attr_span,
1182 BuiltinUngatedAsyncFnTrackCaller { label: span, session: &cx.tcx.sess },
1183 );
1184 }
1185 }
1186}
1187
1188#[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! {
1189 pub UNREACHABLE_PUB,
1222 Allow,
1223 "`pub` items not reachable from crate root"
1224}
1225
1226#[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!(
1227 UnreachablePub => [UNREACHABLE_PUB]
1229);
1230
1231impl UnreachablePub {
1232 fn perform_lint(
1233 &self,
1234 cx: &LateContext<'_>,
1235 what: &str,
1236 def_id: LocalDefId,
1237 vis_span: Span,
1238 exportable: bool,
1239 ) {
1240 let mut applicability = Applicability::MachineApplicable;
1241 if cx.tcx.visibility(def_id).is_public() && !cx.effective_visibilities.is_reachable(def_id)
1242 {
1243 let new_vis = if let Some(ty::Visibility::Restricted(restricted_did)) =
1246 cx.effective_visibilities.effective_vis(def_id).map(|effective_vis| {
1247 effective_vis.at_level(rustc_middle::middle::privacy::Level::Reachable)
1248 })
1249 && let parent_parent = cx
1250 .tcx
1251 .parent_module_from_def_id(cx.tcx.parent_module_from_def_id(def_id).into())
1252 && *restricted_did == parent_parent.to_local_def_id()
1253 && !restricted_did.to_def_id().is_crate_root()
1254 {
1255 "pub(super)"
1256 } else {
1257 "pub(crate)"
1258 };
1259
1260 if vis_span.from_expansion() {
1261 applicability = Applicability::MaybeIncorrect;
1262 }
1263 let def_span = cx.tcx.def_span(def_id);
1264 cx.emit_span_lint(
1265 UNREACHABLE_PUB,
1266 def_span,
1267 BuiltinUnreachablePub {
1268 what,
1269 new_vis,
1270 suggestion: (vis_span, applicability),
1271 help: exportable,
1272 },
1273 );
1274 }
1275 }
1276}
1277
1278impl<'tcx> LateLintPass<'tcx> for UnreachablePub {
1279 fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
1280 if let hir::ItemKind::Use(_, hir::UseKind::ListStem) = &item.kind {
1282 return;
1283 }
1284 self.perform_lint(cx, "item", item.owner_id.def_id, item.vis_span, true);
1285 }
1286
1287 fn check_foreign_item(&mut self, cx: &LateContext<'_>, foreign_item: &hir::ForeignItem<'tcx>) {
1288 self.perform_lint(cx, "item", foreign_item.owner_id.def_id, foreign_item.vis_span, true);
1289 }
1290
1291 fn check_field_def(&mut self, _cx: &LateContext<'_>, _field: &hir::FieldDef<'_>) {
1292 }
1306
1307 fn check_impl_item(&mut self, cx: &LateContext<'_>, impl_item: &hir::ImplItem<'_>) {
1308 if let ImplItemImplKind::Inherent { vis_span } = impl_item.impl_kind {
1309 self.perform_lint(cx, "item", impl_item.owner_id.def_id, vis_span, false);
1310 }
1311 }
1312}
1313
1314#[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! {
1315 TYPE_ALIAS_BOUNDS,
1348 Warn,
1349 "bounds in type aliases are not enforced"
1350}
1351
1352pub 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]);
1353
1354impl TypeAliasBounds {
1355 pub(crate) fn affects_object_lifetime_defaults(pred: &hir::WherePredicate<'_>) -> bool {
1356 if let hir::WherePredicateKind::BoundPredicate(pred) = pred.kind
1358 && pred.bounds.iter().any(|bound| #[allow(non_exhaustive_omitted_patterns)] match bound {
hir::GenericBound::Outlives(_) => true,
_ => false,
}matches!(bound, hir::GenericBound::Outlives(_)))
1359 && pred.bound_generic_params.is_empty() && pred.bounded_ty.as_generic_param().is_some()
1361 {
1362 return true;
1363 }
1364 false
1365 }
1366}
1367
1368impl<'tcx> LateLintPass<'tcx> for TypeAliasBounds {
1369 fn check_item(&mut self, cx: &LateContext<'_>, item: &hir::Item<'_>) {
1370 let hir::ItemKind::TyAlias(_, generics, hir_ty) = item.kind else { return };
1371
1372 if generics.predicates.is_empty() {
1374 return;
1375 }
1376
1377 if cx.tcx.type_alias_is_lazy(item.owner_id) {
1379 return;
1380 }
1381
1382 let ty = cx.tcx.type_of(item.owner_id).instantiate_identity().skip_norm_wip();
1385 if ty.has_type_flags(ty::TypeFlags::HAS_CT_PROJECTION)
1386 && cx.tcx.features().generic_const_exprs()
1387 {
1388 return;
1389 }
1390
1391 let mut where_spans = Vec::new();
1397 let mut inline_spans = Vec::new();
1398 let mut inline_sugg = Vec::new();
1399
1400 for p in generics.predicates {
1401 let span = p.span;
1402 if p.kind.in_where_clause() {
1403 where_spans.push(span);
1404 } else {
1405 for b in p.kind.bounds() {
1406 inline_spans.push(b.span());
1407 }
1408 inline_sugg.push((span, String::new()));
1409 }
1410 }
1411
1412 let mut ty = Some(hir_ty);
1413 let enable_feat_help = cx.tcx.sess.is_nightly_build();
1414
1415 if let [.., label_sp] = *where_spans {
1416 cx.emit_span_lint(
1417 TYPE_ALIAS_BOUNDS,
1418 where_spans,
1419 BuiltinTypeAliasBounds {
1420 in_where_clause: true,
1421 label: label_sp,
1422 enable_feat_help,
1423 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())],
1424 preds: generics.predicates,
1425 ty: ty.take(),
1426 },
1427 );
1428 }
1429 if let [.., label_sp] = *inline_spans {
1430 cx.emit_span_lint(
1431 TYPE_ALIAS_BOUNDS,
1432 inline_spans,
1433 BuiltinTypeAliasBounds {
1434 in_where_clause: false,
1435 label: label_sp,
1436 enable_feat_help,
1437 suggestions: inline_sugg,
1438 preds: generics.predicates,
1439 ty,
1440 },
1441 );
1442 }
1443 }
1444}
1445
1446pub(crate) struct ShorthandAssocTyCollector {
1447 pub(crate) qselves: Vec<Span>,
1448}
1449
1450impl hir::intravisit::Visitor<'_> for ShorthandAssocTyCollector {
1451 fn visit_qpath(&mut self, qpath: &hir::QPath<'_>, id: hir::HirId, _: Span) {
1452 if let hir::QPath::TypeRelative(qself, _) = qpath
1455 && qself.as_generic_param().is_some()
1456 {
1457 self.qselves.push(qself.span);
1458 }
1459 hir::intravisit::walk_qpath(self, qpath, id)
1460 }
1461}
1462
1463#[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! {
1464 TRIVIAL_BOUNDS,
1494 Warn,
1495 "these bounds don't depend on an type parameters"
1496}
1497
1498#[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!(
1499 TrivialConstraints => [TRIVIAL_BOUNDS]
1502);
1503
1504impl<'tcx> LateLintPass<'tcx> for TrivialConstraints {
1505 fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::Item<'tcx>) {
1506 use rustc_middle::ty::ClauseKind;
1507
1508 if cx.tcx.features().trivial_bounds() {
1509 let predicates = cx.tcx.predicates_of(item.owner_id);
1510 for &(predicate, span) in predicates.predicates {
1511 let predicate_kind_name = match predicate.kind().skip_binder() {
1512 ClauseKind::Trait(..) => "trait",
1513 ClauseKind::TypeOutlives(..) |
1514 ClauseKind::RegionOutlives(..) => "lifetime",
1515
1516 ClauseKind::UnstableFeature(_)
1517 | ClauseKind::ConstArgHasType(..)
1519 | ClauseKind::Projection(..)
1522 | ClauseKind::WellFormed(..)
1524 | ClauseKind::ConstEvaluatable(..)
1526 | ty::ClauseKind::HostEffect(..) => continue,
1528 };
1529 if predicate.is_global() {
1530 cx.emit_span_lint(
1531 TRIVIAL_BOUNDS,
1532 span,
1533 BuiltinTrivialBounds { predicate_kind_name, predicate },
1534 );
1535 }
1536 }
1537 }
1538 }
1539}
1540
1541#[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! {
1542 pub DOUBLE_NEGATIONS,
1564 Warn,
1565 "detects expressions of the form `--x`"
1566}
1567
1568#[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!(
1569 DoubleNegations => [DOUBLE_NEGATIONS]
1572);
1573
1574impl EarlyLintPass for DoubleNegations {
1575 #[inline]
1576 fn check_expr(&mut self, cx: &EarlyContext<'_>, expr: &ast::Expr) {
1577 if let ExprKind::Unary(UnOp::Neg, ref inner) = expr.kind
1580 && let ExprKind::Unary(UnOp::Neg, ref inner2) = inner.kind
1581 && !#[allow(non_exhaustive_omitted_patterns)] match inner2.kind {
ExprKind::Unary(UnOp::Neg, _) => true,
_ => false,
}matches!(inner2.kind, ExprKind::Unary(UnOp::Neg, _))
1582 && expr.span.eq_ctxt(inner.span)
1584 {
1585 cx.emit_span_lint(
1586 DOUBLE_NEGATIONS,
1587 expr.span,
1588 BuiltinDoubleNegations {
1589 add_parens: BuiltinDoubleNegationsAddParens {
1590 start_span: inner.span.shrink_to_lo(),
1591 end_span: inner.span.shrink_to_hi(),
1592 },
1593 },
1594 );
1595 }
1596 }
1597}
1598
1599#[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!(
1600 SoftLints => [
1603 WHILE_TRUE,
1604 NON_SHORTHAND_FIELD_PATTERNS,
1605 UNSAFE_CODE,
1606 MISSING_DOCS,
1607 MISSING_COPY_IMPLEMENTATIONS,
1608 MISSING_DEBUG_IMPLEMENTATIONS,
1609 ANONYMOUS_PARAMETERS,
1610 UNUSED_DOC_COMMENTS,
1611 NO_MANGLE_CONST_ITEMS,
1612 NO_MANGLE_GENERIC_ITEMS,
1613 MUTABLE_TRANSMUTES,
1614 UNSTABLE_FEATURES,
1615 UNREACHABLE_PUB,
1616 TYPE_ALIAS_BOUNDS,
1617 TRIVIAL_BOUNDS,
1618 DOUBLE_NEGATIONS
1619 ]
1620);
1621
1622#[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! {
1623 pub ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1647 Warn,
1648 "`...` range patterns are deprecated",
1649 @future_incompatible = FutureIncompatibleInfo {
1650 reason: fcw!(EditionError 2021 "warnings-promoted-to-error"),
1651 };
1652}
1653
1654#[derive(#[automatically_derived]
impl ::core::default::Default for EllipsisInclusiveRangePatterns {
#[inline]
fn default() -> EllipsisInclusiveRangePatterns {
EllipsisInclusiveRangePatterns {
node_id: ::core::default::Default::default(),
}
}
}Default)]
1655pub struct EllipsisInclusiveRangePatterns {
1656 node_id: Option<ast::NodeId>,
1659}
1660
1661impl ::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]);
1662
1663impl EarlyLintPass for EllipsisInclusiveRangePatterns {
1664 fn check_pat(&mut self, cx: &EarlyContext<'_>, pat: &ast::Pat) {
1665 if self.node_id.is_some() {
1666 return;
1668 }
1669
1670 use self::ast::PatKind;
1671 use self::ast::RangeSyntax::DotDotDot;
1672
1673 fn matches_ellipsis_pat(pat: &ast::Pat) -> Option<(Option<&Expr>, &Expr, Span)> {
1676 match &pat.kind {
1677 PatKind::Range(
1678 a,
1679 Some(b),
1680 Spanned { span, node: RangeEnd::Included(DotDotDot) },
1681 ) => Some((a.as_deref(), b, *span)),
1682 _ => None,
1683 }
1684 }
1685
1686 let (parentheses, endpoints) = match &pat.kind {
1687 PatKind::Ref(subpat, _, _) => (true, matches_ellipsis_pat(subpat)),
1688 _ => (false, matches_ellipsis_pat(pat)),
1689 };
1690
1691 if let Some((start, end, join)) = endpoints {
1692 if parentheses {
1693 self.node_id = Some(pat.id);
1694 let end = expr_to_string(end);
1695 let replace = match start {
1696 Some(start) => ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("&({0}..={1})",
expr_to_string(start), end))
})format!("&({}..={})", expr_to_string(start), end),
1697 None => ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("&(..={0})", end))
})format!("&(..={end})"),
1698 };
1699 if join.edition() >= Edition::Edition2021 {
1700 cx.sess().dcx().emit_err(BuiltinEllipsisInclusiveRangePatterns {
1701 span: pat.span,
1702 suggestion: pat.span,
1703 replace,
1704 });
1705 } else {
1706 cx.emit_span_lint(
1707 ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1708 pat.span,
1709 BuiltinEllipsisInclusiveRangePatternsLint::Parenthesise {
1710 suggestion: pat.span,
1711 replace,
1712 },
1713 );
1714 }
1715 } else {
1716 let replace = "..=";
1717 if join.edition() >= Edition::Edition2021 {
1718 cx.sess().dcx().emit_err(BuiltinEllipsisInclusiveRangePatterns {
1719 span: pat.span,
1720 suggestion: join,
1721 replace: replace.to_string(),
1722 });
1723 } else {
1724 cx.emit_span_lint(
1725 ELLIPSIS_INCLUSIVE_RANGE_PATTERNS,
1726 join,
1727 BuiltinEllipsisInclusiveRangePatternsLint::NonParenthesise {
1728 suggestion: join,
1729 },
1730 );
1731 }
1732 };
1733 }
1734 }
1735
1736 fn check_pat_post(&mut self, _cx: &EarlyContext<'_>, pat: &ast::Pat) {
1737 if let Some(node_id) = self.node_id {
1738 if pat.id == node_id {
1739 self.node_id = None
1740 }
1741 }
1742 }
1743}
1744
1745#[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! {
1746 pub KEYWORD_IDENTS_2018,
1782 Allow,
1783 "detects edition keywords being used as an identifier",
1784 @future_incompatible = FutureIncompatibleInfo {
1785 reason: fcw!(EditionError 2018 "new-keywords"),
1786 };
1787}
1788
1789#[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! {
1790 pub KEYWORD_IDENTS_2024,
1826 Allow,
1827 "detects edition keywords being used as an identifier",
1828 @future_incompatible = FutureIncompatibleInfo {
1829 reason: fcw!(EditionError 2024 "gen-keyword"),
1830 };
1831}
1832
1833#[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!(
1834 KeywordIdents => [KEYWORD_IDENTS_2018, KEYWORD_IDENTS_2024]
1836);
1837
1838struct UnderMacro(bool);
1839
1840impl KeywordIdents {
1841 fn check_tokens(&mut self, cx: &EarlyContext<'_>, tokens: &TokenStream) {
1842 let mut prev_dollar = false;
1844 for tt in tokens.iter() {
1845 match tt {
1846 TokenTree::Token(token, _) => {
1848 if let Some((ident, token::IdentIsRaw::No)) = token.ident() {
1849 if !prev_dollar {
1850 self.check_ident_token(cx, UnderMacro(true), ident, "");
1851 }
1852 } else if let Some((ident, token::IdentIsRaw::No)) = token.lifetime() {
1853 self.check_ident_token(
1854 cx,
1855 UnderMacro(true),
1856 ident.without_first_quote(),
1857 "'",
1858 );
1859 } else if token.kind == TokenKind::Dollar {
1860 prev_dollar = true;
1861 continue;
1862 }
1863 }
1864 TokenTree::Delimited(.., tts) => self.check_tokens(cx, tts),
1865 }
1866 prev_dollar = false;
1867 }
1868 }
1869
1870 fn check_ident_token(
1871 &mut self,
1872 cx: &EarlyContext<'_>,
1873 UnderMacro(under_macro): UnderMacro,
1874 ident: Ident,
1875 prefix: &'static str,
1876 ) {
1877 let (lint, edition) = match ident.name {
1878 kw::Async | kw::Await | kw::Try => (KEYWORD_IDENTS_2018, Edition::Edition2018),
1879
1880 kw::Dyn if !under_macro => (KEYWORD_IDENTS_2018, Edition::Edition2018),
1893
1894 kw::Gen => (KEYWORD_IDENTS_2024, Edition::Edition2024),
1895
1896 _ => return,
1897 };
1898
1899 if ident.span.edition() >= edition
1901 || cx.sess().psess.raw_identifier_spans.contains(ident.span)
1902 {
1903 return;
1904 }
1905
1906 cx.emit_span_lint(
1907 lint,
1908 ident.span,
1909 BuiltinKeywordIdents { kw: ident, next: edition, suggestion: ident.span, prefix },
1910 );
1911 }
1912}
1913
1914impl EarlyLintPass for KeywordIdents {
1915 fn check_mac_def(&mut self, cx: &EarlyContext<'_>, mac_def: &ast::MacroDef) {
1916 self.check_tokens(cx, &mac_def.body.tokens);
1917 }
1918 fn check_mac(&mut self, cx: &EarlyContext<'_>, mac: &ast::MacCall) {
1919 self.check_tokens(cx, &mac.args.tokens);
1920 }
1921 fn check_ident(&mut self, cx: &EarlyContext<'_>, ident: &Ident) {
1922 if ident.name.as_str().starts_with('\'') {
1923 self.check_ident_token(cx, UnderMacro(false), ident.without_first_quote(), "'");
1924 } else {
1925 self.check_ident_token(cx, UnderMacro(false), *ident, "");
1926 }
1927 }
1928}
1929
1930pub 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]);
1931
1932impl ExplicitOutlivesRequirements {
1933 fn lifetimes_outliving_lifetime<'tcx>(
1934 tcx: TyCtxt<'tcx>,
1935 inferred_outlives: impl Iterator<Item = &'tcx (ty::Clause<'tcx>, Span)>,
1936 item: LocalDefId,
1937 lifetime: LocalDefId,
1938 ) -> Vec<ty::Region<'tcx>> {
1939 let item_generics = tcx.generics_of(item);
1940
1941 inferred_outlives
1942 .filter_map(|(clause, _)| match clause.kind().skip_binder() {
1943 ty::ClauseKind::RegionOutlives(ty::OutlivesPredicate(a, b)) => match a.kind() {
1944 ty::ReEarlyParam(ebr)
1945 if item_generics.region_param(ebr, tcx).def_id == lifetime.to_def_id() =>
1946 {
1947 Some(b)
1948 }
1949 _ => None,
1950 },
1951 _ => None,
1952 })
1953 .collect()
1954 }
1955
1956 fn lifetimes_outliving_type<'tcx>(
1957 inferred_outlives: impl Iterator<Item = &'tcx (ty::Clause<'tcx>, Span)>,
1958 index: u32,
1959 ) -> Vec<ty::Region<'tcx>> {
1960 inferred_outlives
1961 .filter_map(|(clause, _)| match clause.kind().skip_binder() {
1962 ty::ClauseKind::TypeOutlives(ty::OutlivesPredicate(a, b)) => {
1963 a.is_param(index).then_some(b)
1964 }
1965 _ => None,
1966 })
1967 .collect()
1968 }
1969
1970 fn collect_outlives_bound_spans<'tcx>(
1971 &self,
1972 tcx: TyCtxt<'tcx>,
1973 bounds: &hir::GenericBounds<'_>,
1974 inferred_outlives: &[ty::Region<'tcx>],
1975 predicate_span: Span,
1976 item: DefId,
1977 ) -> Vec<(usize, Span)> {
1978 use rustc_middle::middle::resolve_bound_vars::ResolvedArg;
1979
1980 let item_generics = tcx.generics_of(item);
1981
1982 bounds
1983 .iter()
1984 .enumerate()
1985 .filter_map(|(i, bound)| {
1986 let hir::GenericBound::Outlives(lifetime) = bound else {
1987 return None;
1988 };
1989
1990 let is_inferred = match tcx.named_bound_var(lifetime.hir_id) {
1991 Some(ResolvedArg::EarlyBound(def_id)) => inferred_outlives
1992 .iter()
1993 .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() })),
1994 _ => false,
1995 };
1996
1997 if !is_inferred {
1998 return None;
1999 }
2000
2001 let span = bound.span().find_ancestor_inside(predicate_span)?;
2002 if span.in_external_macro(tcx.sess.source_map()) {
2003 return None;
2004 }
2005
2006 Some((i, span))
2007 })
2008 .collect()
2009 }
2010
2011 fn consolidate_outlives_bound_spans(
2012 &self,
2013 lo: Span,
2014 bounds: &hir::GenericBounds<'_>,
2015 bound_spans: Vec<(usize, Span)>,
2016 ) -> Vec<Span> {
2017 if bounds.is_empty() {
2018 return Vec::new();
2019 }
2020 if bound_spans.len() == bounds.len() {
2021 let (_, last_bound_span) = bound_spans[bound_spans.len() - 1];
2022 ::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)]
2025 } else {
2026 let mut merged = Vec::new();
2027 let mut last_merged_i = None;
2028
2029 let mut from_start = true;
2030 for (i, bound_span) in bound_spans {
2031 match last_merged_i {
2032 None if i == 0 => {
2034 merged.push(bound_span.to(bounds[1].span().shrink_to_lo()));
2035 last_merged_i = Some(0);
2036 }
2037 Some(h) if i == h + 1 => {
2039 if let Some(tail) = merged.last_mut() {
2040 let to_span = if from_start && i < bounds.len() {
2043 bounds[i + 1].span().shrink_to_lo()
2044 } else {
2045 bound_span
2046 };
2047 *tail = tail.to(to_span);
2048 last_merged_i = Some(i);
2049 } else {
2050 ::rustc_middle::util::bug::bug_fmt(format_args!("another bound-span visited earlier"));bug!("another bound-span visited earlier");
2051 }
2052 }
2053 _ => {
2054 from_start = false;
2058 merged.push(bounds[i - 1].span().shrink_to_hi().to(bound_span));
2059 last_merged_i = Some(i);
2060 }
2061 }
2062 }
2063 merged
2064 }
2065 }
2066}
2067
2068impl<'tcx> LateLintPass<'tcx> for ExplicitOutlivesRequirements {
2069 fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::Item<'_>) {
2070 use rustc_middle::middle::resolve_bound_vars::ResolvedArg;
2071
2072 let def_id = item.owner_id.def_id;
2073 if let hir::ItemKind::Struct(_, generics, _)
2074 | hir::ItemKind::Enum(_, generics, _)
2075 | hir::ItemKind::Union(_, generics, _) = item.kind
2076 {
2077 let inferred_outlives = cx.tcx.inferred_outlives_of(def_id);
2078 if inferred_outlives.is_empty() {
2079 return;
2080 }
2081
2082 let ty_generics = cx.tcx.generics_of(def_id);
2083 let num_where_predicates = generics
2084 .predicates
2085 .iter()
2086 .filter(|predicate| predicate.kind.in_where_clause())
2087 .count();
2088
2089 let mut bound_count = 0;
2090 let mut lint_spans = Vec::new();
2091 let mut where_lint_spans = Vec::new();
2092 let mut dropped_where_predicate_count = 0;
2093 for (i, where_predicate) in generics.predicates.iter().enumerate() {
2094 let (relevant_lifetimes, bounds, predicate_span, in_where_clause) =
2095 match where_predicate.kind {
2096 hir::WherePredicateKind::RegionPredicate(predicate) => {
2097 if let Some(ResolvedArg::EarlyBound(region_def_id)) =
2098 cx.tcx.named_bound_var(predicate.lifetime.hir_id)
2099 {
2100 (
2101 Self::lifetimes_outliving_lifetime(
2102 cx.tcx,
2103 inferred_outlives.iter().filter(|(_, span)| {
2106 !where_predicate.span.contains(*span)
2107 }),
2108 item.owner_id.def_id,
2109 region_def_id,
2110 ),
2111 &predicate.bounds,
2112 where_predicate.span,
2113 predicate.in_where_clause,
2114 )
2115 } else {
2116 continue;
2117 }
2118 }
2119 hir::WherePredicateKind::BoundPredicate(predicate) => {
2120 match predicate.bounded_ty.kind {
2123 hir::TyKind::Path(hir::QPath::Resolved(None, path)) => {
2124 let Res::Def(DefKind::TyParam, def_id) = path.res else {
2125 continue;
2126 };
2127 let index = ty_generics.param_def_id_to_index[&def_id];
2128 (
2129 Self::lifetimes_outliving_type(
2130 inferred_outlives.iter().filter(|(_, span)| {
2133 !where_predicate.span.contains(*span)
2134 }),
2135 index,
2136 ),
2137 &predicate.bounds,
2138 where_predicate.span,
2139 predicate.origin == PredicateOrigin::WhereClause,
2140 )
2141 }
2142 _ => {
2143 continue;
2144 }
2145 }
2146 }
2147 _ => continue,
2148 };
2149 if relevant_lifetimes.is_empty() {
2150 continue;
2151 }
2152
2153 let bound_spans = self.collect_outlives_bound_spans(
2154 cx.tcx,
2155 bounds,
2156 &relevant_lifetimes,
2157 predicate_span,
2158 item.owner_id.to_def_id(),
2159 );
2160 bound_count += bound_spans.len();
2161
2162 let drop_predicate = bound_spans.len() == bounds.len();
2163 if drop_predicate && in_where_clause {
2164 dropped_where_predicate_count += 1;
2165 }
2166
2167 if drop_predicate {
2168 if !in_where_clause {
2169 lint_spans.push(predicate_span);
2170 } else if predicate_span.from_expansion() {
2171 where_lint_spans.push(predicate_span);
2173 } else if i + 1 < num_where_predicates {
2174 let next_predicate_span = generics.predicates[i + 1].span;
2177 if next_predicate_span.from_expansion() {
2178 where_lint_spans.push(predicate_span);
2179 } else {
2180 where_lint_spans
2181 .push(predicate_span.to(next_predicate_span.shrink_to_lo()));
2182 }
2183 } else {
2184 let where_span = generics.where_clause_span;
2186 if where_span.from_expansion() {
2187 where_lint_spans.push(predicate_span);
2188 } else {
2189 where_lint_spans.push(predicate_span.to(where_span.shrink_to_hi()));
2190 }
2191 }
2192 } else {
2193 where_lint_spans.extend(self.consolidate_outlives_bound_spans(
2194 predicate_span.shrink_to_lo(),
2195 bounds,
2196 bound_spans,
2197 ));
2198 }
2199 }
2200
2201 if generics.has_where_clause_predicates
2204 && dropped_where_predicate_count == num_where_predicates
2205 {
2206 let where_span = generics.where_clause_span;
2207 let full_where_span =
2211 if let hir::ItemKind::Struct(_, _, hir::VariantData::Tuple(..)) = item.kind {
2212 where_span
2213 } else {
2214 generics.span.shrink_to_hi().to(where_span)
2215 };
2216
2217 if where_lint_spans.iter().all(|&sp| full_where_span.contains(sp)) {
2220 lint_spans.push(full_where_span);
2221 } else {
2222 lint_spans.extend(where_lint_spans);
2223 }
2224 } else {
2225 lint_spans.extend(where_lint_spans);
2226 }
2227
2228 if !lint_spans.is_empty() {
2229 let applicability = if lint_spans.iter().all(|sp| sp.can_be_used_for_suggestions())
2231 {
2232 Applicability::MachineApplicable
2233 } else {
2234 Applicability::MaybeIncorrect
2235 };
2236
2237 lint_spans.sort_unstable();
2240 lint_spans.dedup();
2241
2242 cx.emit_span_lint(
2243 EXPLICIT_OUTLIVES_REQUIREMENTS,
2244 lint_spans.clone(),
2245 BuiltinExplicitOutlives {
2246 suggestion: BuiltinExplicitOutlivesSuggestion {
2247 spans: lint_spans,
2248 applicability,
2249 count: bound_count,
2250 },
2251 },
2252 );
2253 }
2254 }
2255 }
2256}
2257
2258#[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! {
2259 pub INCOMPLETE_FEATURES,
2280 Warn,
2281 "incomplete features that may function improperly in some or all cases"
2282}
2283
2284#[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! {
2285 pub INTERNAL_FEATURES,
2304 Warn,
2305 "internal features are not supposed to be used"
2306}
2307
2308#[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!(
2309 IncompleteInternalFeatures => [INCOMPLETE_FEATURES, INTERNAL_FEATURES]
2311);
2312
2313impl EarlyLintPass for IncompleteInternalFeatures {
2314 fn check_crate(&mut self, cx: &EarlyContext<'_>, _: &ast::Crate) {
2315 let features = cx.builder.features();
2316
2317 features
2318 .enabled_features_iter_stable_order()
2319 .filter(|(name, _)| features.incomplete(*name) || features.internal(*name))
2320 .for_each(|(name, span)| {
2321 if features.incomplete(name) {
2322 let note = rustc_feature::find_feature_issue(name, GateIssue::Language)
2323 .map(|n| BuiltinFeatureIssueNote { n });
2324 let help = HAS_MIN_FEATURES
2325 .contains(&name)
2326 .then_some(BuiltinIncompleteFeaturesHelp { name });
2327
2328 cx.emit_span_lint(
2329 INCOMPLETE_FEATURES,
2330 span,
2331 BuiltinIncompleteFeatures { name, note, help },
2332 );
2333 } else {
2334 cx.emit_span_lint(INTERNAL_FEATURES, span, BuiltinInternalFeatures { name });
2335 }
2336 });
2337 }
2338}
2339
2340const HAS_MIN_FEATURES: &[Symbol] = &[sym::specialization];
2341
2342#[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! {
2343 pub INVALID_VALUE,
2374 Warn,
2375 "an invalid value is being created (such as a null reference)"
2376}
2377
2378pub 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]);
2379
2380pub struct InitError {
2382 pub(crate) message: String,
2383 pub(crate) span: Option<Span>,
2385 pub(crate) nested: Option<Box<InitError>>,
2387}
2388impl InitError {
2389 fn spanned(self, span: Span) -> InitError {
2390 Self { span: Some(span), ..self }
2391 }
2392
2393 fn nested(self, nested: impl Into<Option<InitError>>) -> InitError {
2394 if !self.nested.is_none() {
::core::panicking::panic("assertion failed: self.nested.is_none()")
};assert!(self.nested.is_none());
2395 Self { nested: nested.into().map(Box::new), ..self }
2396 }
2397}
2398
2399impl<'a> From<&'a str> for InitError {
2400 fn from(s: &'a str) -> Self {
2401 s.to_owned().into()
2402 }
2403}
2404impl From<String> for InitError {
2405 fn from(message: String) -> Self {
2406 Self { message, span: None, nested: None }
2407 }
2408}
2409
2410impl<'tcx> LateLintPass<'tcx> for InvalidValue {
2411 fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &hir::Expr<'_>) {
2412 #[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)]
2413 enum InitKind {
2414 Zeroed,
2415 Uninit,
2416 }
2417
2418 fn is_zero(expr: &hir::Expr<'_>) -> bool {
2420 use hir::ExprKind::*;
2421 use rustc_ast::LitKind::*;
2422 match &expr.kind {
2423 Lit(lit) => {
2424 if let Int(i, _) = lit.node {
2425 i == 0
2426 } else {
2427 false
2428 }
2429 }
2430 Tup(tup) => tup.iter().all(is_zero),
2431 _ => false,
2432 }
2433 }
2434
2435 fn is_dangerous_init(cx: &LateContext<'_>, expr: &hir::Expr<'_>) -> Option<InitKind> {
2437 if let hir::ExprKind::Call(path_expr, args) = expr.kind
2438 && let hir::ExprKind::Path(ref qpath) = path_expr.kind
2440 {
2441 let def_id = cx.qpath_res(qpath, path_expr.hir_id).opt_def_id()?;
2442 match cx.tcx.get_diagnostic_name(def_id) {
2443 Some(sym::mem_zeroed) => return Some(InitKind::Zeroed),
2444 Some(sym::mem_uninitialized) => return Some(InitKind::Uninit),
2445 Some(sym::transmute) if is_zero(&args[0]) => return Some(InitKind::Zeroed),
2446 _ => {}
2447 }
2448 } else if let hir::ExprKind::MethodCall(_, receiver, ..) = expr.kind {
2449 let def_id = cx.typeck_results().type_dependent_def_id(expr.hir_id)?;
2451 if cx.tcx.is_diagnostic_item(sym::assume_init, def_id) {
2452 if let hir::ExprKind::Call(path_expr, _) = receiver.kind
2455 && let hir::ExprKind::Path(ref qpath) = path_expr.kind
2456 {
2457 let def_id = cx.qpath_res(qpath, path_expr.hir_id).opt_def_id()?;
2458 match cx.tcx.get_diagnostic_name(def_id) {
2459 Some(sym::maybe_uninit_zeroed) => return Some(InitKind::Zeroed),
2460 Some(sym::maybe_uninit_uninit) => return Some(InitKind::Uninit),
2461 _ => {}
2462 }
2463 }
2464 }
2465 }
2466
2467 None
2468 }
2469
2470 fn variant_find_init_error<'tcx>(
2471 cx: &LateContext<'tcx>,
2472 ty: Ty<'tcx>,
2473 variant: &VariantDef,
2474 args: ty::GenericArgsRef<'tcx>,
2475 descr: &str,
2476 init: InitKind,
2477 ) -> Option<InitError> {
2478 let mut field_err = variant.fields.iter().find_map(|field| {
2479 ty_find_init_error(cx, field.ty(cx.tcx, args), init).map(|mut err| {
2480 if !field.did.is_local() {
2481 err
2482 } else if err.span.is_none() {
2483 err.span = Some(cx.tcx.def_span(field.did));
2484 (&mut err.message).write_fmt(format_args!(" (in this {0})", descr))write!(&mut err.message, " (in this {descr})").unwrap();
2485 err
2486 } else {
2487 InitError::from(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("in this {0}", descr))
})format!("in this {descr}"))
2488 .spanned(cx.tcx.def_span(field.did))
2489 .nested(err)
2490 }
2491 })
2492 });
2493
2494 if let Ok(layout) = cx.tcx.layout_of(cx.typing_env().as_query_input(ty)) {
2496 if let BackendRepr::Scalar(scalar) | BackendRepr::ScalarPair(scalar, _) =
2497 &layout.backend_repr
2498 {
2499 let range = scalar.valid_range(cx);
2500 let msg = if !range.contains(0) {
2501 "must be non-null"
2502 } else if init == InitKind::Uninit && !scalar.is_always_valid(cx) {
2503 "must be initialized inside its custom valid range"
2508 } else {
2509 return field_err;
2510 };
2511 if let Some(field_err) = &mut field_err {
2512 if field_err.message.contains(msg) {
2515 field_err.message = ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("because {0}", field_err.message))
})format!("because {}", field_err.message);
2516 }
2517 }
2518 return Some(InitError::from(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("`{0}` {1}", ty, msg))
})format!("`{ty}` {msg}")).nested(field_err));
2519 }
2520 }
2521 field_err
2522 }
2523
2524 fn ty_find_init_error<'tcx>(
2527 cx: &LateContext<'tcx>,
2528 ty: Ty<'tcx>,
2529 init: InitKind,
2530 ) -> Option<InitError> {
2531 let ty = cx
2532 .tcx
2533 .try_normalize_erasing_regions(cx.typing_env(), Unnormalized::new_wip(ty))
2534 .unwrap_or(ty);
2535
2536 match ty.kind() {
2537 ty::Ref(..) => Some("references must be non-null".into()),
2539 ty::Adt(..) if ty.is_box() => Some("`Box` must be non-null".into()),
2540 ty::FnPtr(..) => Some("function pointers must be non-null".into()),
2541 ty::Never => Some("the `!` type has no valid value".into()),
2542 ty::RawPtr(ty, _) if #[allow(non_exhaustive_omitted_patterns)] match ty.kind() {
ty::Dynamic(..) => true,
_ => false,
}matches!(ty.kind(), ty::Dynamic(..)) =>
2543 {
2545 Some("the vtable of a wide raw pointer must be non-null".into())
2546 }
2547 ty::Bool if init == InitKind::Uninit => {
2549 Some("booleans must be either `true` or `false`".into())
2550 }
2551 ty::Char if init == InitKind::Uninit => {
2552 Some("characters must be a valid Unicode codepoint".into())
2553 }
2554 ty::Int(_) | ty::Uint(_) if init == InitKind::Uninit => {
2555 Some("integers must be initialized".into())
2556 }
2557 ty::Float(_) if init == InitKind::Uninit => {
2558 Some("floats must be initialized".into())
2559 }
2560 ty::RawPtr(_, _) if init == InitKind::Uninit => {
2561 Some("raw pointers must be initialized".into())
2562 }
2563 ty::Adt(adt_def, args) if !adt_def.is_union() => {
2565 if adt_def.is_struct() {
2567 return variant_find_init_error(
2568 cx,
2569 ty,
2570 adt_def.non_enum_variant(),
2571 args,
2572 "struct field",
2573 init,
2574 );
2575 }
2576 let span = cx.tcx.def_span(adt_def.did());
2578 let mut potential_variants = adt_def.variants().iter().filter_map(|variant| {
2579 let definitely_inhabited = match variant
2580 .inhabited_predicate(cx.tcx, *adt_def)
2581 .instantiate(cx.tcx, args)
2582 .apply_any_module(cx.tcx, cx.typing_env())
2583 {
2584 Some(false) => return None,
2586 Some(true) => true,
2588 None => false,
2589 };
2590 Some((variant, definitely_inhabited))
2591 });
2592 let Some(first_variant) = potential_variants.next() else {
2593 return Some(
2594 InitError::from("enums with no inhabited variants have no valid value")
2595 .spanned(span),
2596 );
2597 };
2598 let Some(second_variant) = potential_variants.next() else {
2600 return variant_find_init_error(
2603 cx,
2604 ty,
2605 first_variant.0,
2606 args,
2607 "field of the only potentially inhabited enum variant",
2608 init,
2609 );
2610 };
2611 if init == InitKind::Uninit {
2616 let definitely_inhabited = (first_variant.1 as usize)
2617 + (second_variant.1 as usize)
2618 + potential_variants
2619 .filter(|(_variant, definitely_inhabited)| *definitely_inhabited)
2620 .count();
2621 if definitely_inhabited > 1 {
2622 return Some(InitError::from(
2623 "enums with multiple inhabited variants have to be initialized to a variant",
2624 ).spanned(span));
2625 }
2626 }
2627 None
2629 }
2630 ty::Tuple(..) => {
2631 ty.tuple_fields().iter().find_map(|field| ty_find_init_error(cx, field, init))
2633 }
2634 ty::Array(ty, len) => {
2635 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) {
2636 ty_find_init_error(cx, *ty, init)
2638 } else {
2639 None
2641 }
2642 }
2643 _ => None,
2645 }
2646 }
2647
2648 if let Some(init) = is_dangerous_init(cx, expr) {
2649 let conjured_ty = cx.typeck_results().expr_ty(expr);
2653 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)) {
2654 let msg = match init {
2655 InitKind::Zeroed => {
2656 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")
2657 }
2658 InitKind::Uninit => {
2659 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")
2660 }
2661 };
2662 let sub = BuiltinUnpermittedTypeInitSub { err };
2663 cx.emit_span_lint(
2664 INVALID_VALUE,
2665 expr.span,
2666 BuiltinUnpermittedTypeInit {
2667 msg,
2668 ty: conjured_ty,
2669 label: expr.span,
2670 sub,
2671 tcx: cx.tcx,
2672 },
2673 );
2674 }
2675 }
2676 }
2677}
2678
2679#[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! {
2680 pub DEREF_NULLPTR,
2704 Deny,
2705 "detects when an null pointer is dereferenced"
2706}
2707
2708pub 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]);
2709
2710impl<'tcx> LateLintPass<'tcx> for DerefNullPtr {
2711 fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &hir::Expr<'_>) {
2712 fn is_null_ptr(cx: &LateContext<'_>, expr: &hir::Expr<'_>) -> bool {
2714 let pointer_ty = cx.typeck_results().expr_ty(expr);
2715 let ty::RawPtr(pointee, _) = pointer_ty.kind() else {
2716 return false;
2717 };
2718 if let Ok(layout) = cx.tcx.layout_of(cx.typing_env().as_query_input(*pointee)) {
2719 if layout.layout.size() == rustc_abi::Size::ZERO {
2720 return false;
2721 }
2722 }
2723
2724 match &expr.kind {
2725 hir::ExprKind::Cast(expr, ty) => {
2726 if let hir::TyKind::Ptr(_) = ty.kind {
2727 return is_zero(expr) || is_null_ptr(cx, expr);
2728 }
2729 }
2730 hir::ExprKind::Call(path, _) => {
2732 if let hir::ExprKind::Path(ref qpath) = path.kind
2733 && let Some(def_id) = cx.qpath_res(qpath, path.hir_id).opt_def_id()
2734 {
2735 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!(
2736 cx.tcx.get_diagnostic_name(def_id),
2737 Some(sym::ptr_null | sym::ptr_null_mut)
2738 );
2739 }
2740 }
2741 _ => {}
2742 }
2743 false
2744 }
2745
2746 fn is_zero(expr: &hir::Expr<'_>) -> bool {
2748 match &expr.kind {
2749 hir::ExprKind::Lit(lit) => {
2750 if let LitKind::Int(a, _) = lit.node {
2751 return a == 0;
2752 }
2753 }
2754 _ => {}
2755 }
2756 false
2757 }
2758
2759 if let hir::ExprKind::Unary(hir::UnOp::Deref, expr_deref) = expr.kind
2760 && is_null_ptr(cx, expr_deref)
2761 {
2762 if let hir::Node::Expr(hir::Expr {
2763 kind: hir::ExprKind::AddrOf(hir::BorrowKind::Raw, ..),
2764 ..
2765 }) = cx.tcx.parent_hir_node(expr.hir_id)
2766 {
2767 } else {
2769 cx.emit_span_lint(
2770 DEREF_NULLPTR,
2771 expr.span,
2772 BuiltinDerefNullptr { label: expr.span },
2773 );
2774 }
2775 }
2776 }
2777}
2778
2779#[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! {
2780 pub NAMED_ASM_LABELS,
2810 Deny,
2811 "named labels in inline assembly",
2812}
2813
2814#[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! {
2815 pub BINARY_ASM_LABELS,
2860 Deny,
2861 "labels in inline assembly containing only 0 or 1 digits",
2862}
2863
2864pub 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]);
2865
2866#[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 {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq)]
2867enum AsmLabelKind {
2868 Named,
2869 FormatArg,
2870 Binary,
2871}
2872
2873pub fn is_hexagon_register_span(possible_label: &str) -> bool {
2880 if let Some(colon_idx) = possible_label.find(':') {
2882 let after_colon = &possible_label[colon_idx + 1..];
2883 is_hexagon_register_span_impl(&possible_label[..colon_idx], after_colon)
2884 } else {
2885 false
2886 }
2887}
2888
2889fn is_hexagon_register_span_context(
2891 possible_label: &str,
2892 statement: &str,
2893 colon_idx: usize,
2894) -> bool {
2895 let after_colon_start = colon_idx + 1;
2897 if after_colon_start >= statement.len() {
2898 return false;
2899 }
2900
2901 let after_colon_full = &statement[after_colon_start..];
2903 let after_colon = after_colon_full
2904 .chars()
2905 .take_while(|&c| c.is_ascii_alphanumeric() || c == '.')
2906 .collect::<String>();
2907
2908 is_hexagon_register_span_impl(possible_label, &after_colon)
2909}
2910
2911fn is_hexagon_register_span_impl(before_colon: &str, after_colon: &str) -> bool {
2913 if before_colon.len() < 1 || after_colon.is_empty() {
2914 return false;
2915 }
2916
2917 let mut chars = before_colon.chars();
2918 let start = chars.next().unwrap();
2919
2920 if !start.is_ascii_alphabetic() {
2922 return false;
2923 }
2924
2925 let rest = &before_colon[1..];
2926
2927 if rest.is_empty() || !rest.chars().all(|c| c.is_ascii_digit()) {
2929 return false;
2930 }
2931
2932 let digits_after = after_colon.chars().take_while(|c| c.is_ascii_digit()).collect::<String>();
2934
2935 !digits_after.is_empty()
2936}
2937
2938impl<'tcx> LateLintPass<'tcx> for AsmLabels {
2939 fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx hir::Expr<'tcx>) {
2940 if let hir::Expr {
2941 kind:
2942 hir::ExprKind::InlineAsm(hir::InlineAsm {
2943 asm_macro: asm_macro @ (AsmMacro::Asm | AsmMacro::NakedAsm),
2944 template_strs,
2945 options,
2946 ..
2947 }),
2948 ..
2949 } = expr
2950 {
2951 if *asm_macro == AsmMacro::NakedAsm {
2954 let def_id = expr.hir_id.owner.def_id;
2955 if !cx.tcx.generics_of(def_id).requires_monomorphization(cx.tcx) {
2956 return;
2957 }
2958 }
2959
2960 let raw = options.contains(InlineAsmOptions::RAW);
2962
2963 for (template_sym, template_snippet, template_span) in template_strs.iter() {
2964 let template_str = template_sym.as_str();
2965 let find_label_span = |needle: &str| -> Option<Span> {
2966 if let Some(template_snippet) = template_snippet {
2967 let snippet = template_snippet.as_str();
2968 if let Some(pos) = snippet.find(needle) {
2969 let end = pos
2970 + snippet[pos..]
2971 .find(|c| c == ':')
2972 .unwrap_or(snippet[pos..].len() - 1);
2973 let inner = InnerSpan::new(pos, end);
2974 return Some(template_span.from_inner(inner));
2975 }
2976 }
2977
2978 None
2979 };
2980
2981 let mut spans = Vec::new();
2983
2984 let statements = template_str.split(|c| #[allow(non_exhaustive_omitted_patterns)] match c {
'\n' | ';' => true,
_ => false,
}matches!(c, '\n' | ';'));
2987 for statement in statements {
2988 let statement = statement.find("//").map_or(statement, |idx| &statement[..idx]);
2990
2991 let mut start_idx = 0;
2993 'label_loop: for (idx, _) in statement.match_indices(':') {
2994 let possible_label = statement[start_idx..idx].trim();
2995 let mut chars = possible_label.chars();
2996
2997 let Some(start) = chars.next() else {
2998 break 'label_loop;
3001 };
3002
3003 let mut in_bracket = false;
3005 let mut label_kind = AsmLabelKind::Named;
3006
3007 if !raw && start == '{' {
3009 in_bracket = true;
3010 label_kind = AsmLabelKind::FormatArg;
3011 } else if #[allow(non_exhaustive_omitted_patterns)] match start {
'0' | '1' => true,
_ => false,
}matches!(start, '0' | '1') {
3012 label_kind = AsmLabelKind::Binary;
3014 } else if !(start.is_ascii_alphabetic() || #[allow(non_exhaustive_omitted_patterns)] match start {
'.' | '_' => true,
_ => false,
}matches!(start, '.' | '_')) {
3015 break 'label_loop;
3018 }
3019
3020 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))
3023 && is_hexagon_register_span_context(possible_label, statement, idx)
3024 {
3025 break 'label_loop;
3026 }
3027
3028 for c in chars {
3029 if !raw && in_bracket {
3035 if c == '{' {
3036 break 'label_loop;
3039 }
3040
3041 if c == '}' {
3042 in_bracket = false;
3044 }
3045 } else if !raw && c == '{' {
3046 in_bracket = true;
3048 label_kind = AsmLabelKind::FormatArg;
3049 } else {
3050 let can_continue = match label_kind {
3051 AsmLabelKind::Named | AsmLabelKind::FormatArg => {
3054 c.is_ascii_alphanumeric() || #[allow(non_exhaustive_omitted_patterns)] match c {
'_' | '$' => true,
_ => false,
}matches!(c, '_' | '$')
3055 }
3056 AsmLabelKind::Binary => #[allow(non_exhaustive_omitted_patterns)] match c {
'0' | '1' => true,
_ => false,
}matches!(c, '0' | '1'),
3057 };
3058
3059 if !can_continue {
3060 break 'label_loop;
3063 }
3064 }
3065 }
3066
3067 spans.push((find_label_span(possible_label), label_kind));
3069 start_idx = idx + 1;
3070 }
3071 }
3072
3073 for (span, label_kind) in spans {
3074 let missing_precise_span = span.is_none();
3075 let span = span.unwrap_or(*template_span);
3076 match label_kind {
3077 AsmLabelKind::Named => {
3078 cx.emit_span_lint(
3079 NAMED_ASM_LABELS,
3080 span,
3081 InvalidAsmLabel::Named { missing_precise_span },
3082 );
3083 }
3084 AsmLabelKind::FormatArg => {
3085 cx.emit_span_lint(
3086 NAMED_ASM_LABELS,
3087 span,
3088 InvalidAsmLabel::FormatArg { missing_precise_span },
3089 );
3090 }
3091 AsmLabelKind::Binary
3093 if !options.contains(InlineAsmOptions::ATT_SYNTAX)
3094 && #[allow(non_exhaustive_omitted_patterns)] match cx.tcx.sess.asm_arch {
Some(InlineAsmArch::X86 | InlineAsmArch::X86_64) | None => true,
_ => false,
}matches!(
3095 cx.tcx.sess.asm_arch,
3096 Some(InlineAsmArch::X86 | InlineAsmArch::X86_64) | None
3097 ) =>
3098 {
3099 cx.emit_span_lint(
3100 BINARY_ASM_LABELS,
3101 span,
3102 InvalidAsmLabel::Binary { missing_precise_span, span },
3103 )
3104 }
3105 AsmLabelKind::Binary => (),
3107 };
3108 }
3109 }
3110 }
3111 }
3112}
3113
3114#[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! {
3115 pub SPECIAL_MODULE_NAME,
3155 Warn,
3156 "module declarations for files with a special meaning",
3157}
3158
3159pub 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]);
3160
3161impl EarlyLintPass for SpecialModuleName {
3162 fn check_crate(&mut self, cx: &EarlyContext<'_>, krate: &ast::Crate) {
3163 for item in &krate.items {
3164 if let ast::ItemKind::Mod(
3165 _,
3166 ident,
3167 ast::ModKind::Unloaded | ast::ModKind::Loaded(_, ast::Inline::No { .. }, _),
3168 ) = item.kind
3169 {
3170 if item.attrs.iter().any(|a| a.has_name(sym::path)) {
3171 continue;
3172 }
3173
3174 match ident.name.as_str() {
3175 "lib" => cx.emit_span_lint(
3176 SPECIAL_MODULE_NAME,
3177 item.span,
3178 BuiltinSpecialModuleNameUsed::Lib,
3179 ),
3180 "main" => cx.emit_span_lint(
3181 SPECIAL_MODULE_NAME,
3182 item.span,
3183 BuiltinSpecialModuleNameUsed::Main,
3184 ),
3185 _ => continue,
3186 }
3187 }
3188 }
3189 }
3190}
3191
3192#[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! {
3193 pub INTERNAL_EQ_TRAIT_METHOD_IMPLS,
3226 Warn,
3227 "manual implementation of the internal `Eq::assert_receiver_is_total_eq` method",
3228 @future_incompatible = FutureIncompatibleInfo {
3229 reason: fcw!(FutureReleaseError #152336),
3230 report_in_deps: false,
3231 };
3232}
3233
3234pub 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]);
3235
3236impl<'tcx> LateLintPass<'tcx> for InternalEqTraitMethodImpls {
3237 fn check_impl_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx rustc_hir::ImplItem<'tcx>) {
3238 if let ImplItemImplKind::Trait { defaultness: _, trait_item_def_id: Ok(trait_item_def_id) } =
3239 item.impl_kind
3240 && cx.tcx.is_diagnostic_item(sym::assert_receiver_is_total_eq, trait_item_def_id)
3241 {
3242 cx.emit_span_lint(
3243 INTERNAL_EQ_TRAIT_METHOD_IMPLS,
3244 item.span,
3245 EqInternalMethodImplemented,
3246 );
3247 }
3248 }
3249}