|
| 1 | +use clippy_utils::diagnostics::span_lint_and_help; |
| 2 | +use rustc_ast::ast::*; |
| 3 | +use rustc_lint::{EarlyContext, EarlyLintPass, LintContext}; |
| 4 | +use rustc_middle::lint::in_external_macro; |
| 5 | +use rustc_session::declare_lint_pass; |
| 6 | + |
| 7 | +declare_clippy_lint! { |
| 8 | + /// ### What it does |
| 9 | + /// Produces warnings when a `static mut` is declared. |
| 10 | + /// |
| 11 | + /// ### Why is this bad? |
| 12 | + /// `static mut` can [easily produce undefined behavior][1] and |
| 13 | + /// [may be removed in the future][2]. |
| 14 | + /// |
| 15 | + /// ### Example |
| 16 | + /// ```no_run |
| 17 | + /// static mut GLOBAL_INT: u8 = 0; |
| 18 | + /// ``` |
| 19 | + /// Use instead: |
| 20 | + /// ```no_run |
| 21 | + /// use std::sync::RwLock; |
| 22 | + /// |
| 23 | + /// static GLOBAL_INT: RwLock<u8> = RwLock::new(0); |
| 24 | + /// ``` |
| 25 | + /// |
| 26 | + /// [1]: https://doc.rust-lang.org/nightly/edition-guide/rust-2024/static-mut-reference.html |
| 27 | + /// [2]: https://github.com/rust-lang/rfcs/pull/3560 |
| 28 | + #[clippy::version = "1.80.0"] |
| 29 | + pub STATIC_MUT, |
| 30 | + nursery, |
| 31 | + "detect mutable static definitions" |
| 32 | +} |
| 33 | + |
| 34 | +declare_lint_pass!(StaticMut => [STATIC_MUT]); |
| 35 | + |
| 36 | +impl EarlyLintPass for StaticMut { |
| 37 | + fn check_item(&mut self, cx: &EarlyContext<'_>, item: &Item) { |
| 38 | + if in_external_macro(cx.sess(), item.span) { |
| 39 | + return; |
| 40 | + }; |
| 41 | + let ItemKind::Static(ref static_item_box) = item.kind else { |
| 42 | + return; |
| 43 | + }; |
| 44 | + let StaticItem { |
| 45 | + mutability: Mutability::Mut, |
| 46 | + .. |
| 47 | + } = static_item_box.as_ref() |
| 48 | + else { |
| 49 | + return; |
| 50 | + }; |
| 51 | + span_lint_and_help( |
| 52 | + cx, |
| 53 | + STATIC_MUT, |
| 54 | + item.span, |
| 55 | + "declaration of static mut", |
| 56 | + None, |
| 57 | + "remove the `mut` and use a type with interior mutibability that implements `Sync`, such as `std::sync::Mutex`", |
| 58 | + ) |
| 59 | + } |
| 60 | +} |
0 commit comments