Skip to content

Commit ba1690b

Browse files
committed
Auto merge of rust-lang#111567 - Urgau:uplift_cast_ref_to_mut, r=b-naber
Uplift `clippy::cast_ref_to_mut` lint This PR aims at uplifting the `clippy::cast_ref_to_mut` lint into rustc. ## `cast_ref_to_mut` (deny-by-default) The `cast_ref_to_mut` lint checks for casts of `&T` to `&mut T` without using interior mutability. ### Example ```rust,compile_fail fn x(r: &i32) { unsafe { *(r as *const i32 as *mut i32) += 1; } } ``` ### Explanation Casting `&T` to `&mut T` without interior mutability is undefined behavior, as it's a violation of Rust reference aliasing requirements. ----- Mostly followed the instructions for uplifting a clippy lint described here: rust-lang#99696 (review) `@rustbot` label: +I-lang-nominated r? compiler ----- For Clippy: changelog: Moves: Uplifted `clippy::cast_ref_to_mut` into rustc
2 parents 9af3865 + 32d4e1c commit ba1690b

22 files changed

+276
-170
lines changed

compiler/rustc_lint/messages.ftl

+2
Original file line numberDiff line numberDiff line change
@@ -155,6 +155,8 @@ lint_builtin_unused_doc_comment = unused doc comment
155155
lint_builtin_while_true = denote infinite loops with `loop {"{"} ... {"}"}`
156156
.suggestion = use `loop`
157157
158+
lint_cast_ref_to_mut = casting `&T` to `&mut T` is undefined behavior, even if the reference is unused, consider instead using an `UnsafeCell`
159+
158160
lint_check_name_deprecated = lint name `{$lint_name}` is deprecated and does not have an effect anymore. Use: {$new_name}
159161
160162
lint_check_name_unknown = unknown lint: `{$lint_name}`
+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
use rustc_ast::Mutability;
2+
use rustc_hir::{Expr, ExprKind, MutTy, TyKind, UnOp};
3+
use rustc_middle::ty;
4+
use rustc_span::sym;
5+
6+
use crate::{lints::CastRefToMutDiag, LateContext, LateLintPass, LintContext};
7+
8+
declare_lint! {
9+
/// The `cast_ref_to_mut` lint checks for casts of `&T` to `&mut T`
10+
/// without using interior mutability.
11+
///
12+
/// ### Example
13+
///
14+
/// ```rust,compile_fail
15+
/// fn x(r: &i32) {
16+
/// unsafe {
17+
/// *(r as *const i32 as *mut i32) += 1;
18+
/// }
19+
/// }
20+
/// ```
21+
///
22+
/// {{produces}}
23+
///
24+
/// ### Explanation
25+
///
26+
/// Casting `&T` to `&mut T` without using interior mutability is undefined behavior,
27+
/// as it's a violation of Rust reference aliasing requirements.
28+
///
29+
/// `UnsafeCell` is the only way to obtain aliasable data that is considered
30+
/// mutable.
31+
CAST_REF_TO_MUT,
32+
Deny,
33+
"casts of `&T` to `&mut T` without interior mutability"
34+
}
35+
36+
declare_lint_pass!(CastRefToMut => [CAST_REF_TO_MUT]);
37+
38+
impl<'tcx> LateLintPass<'tcx> for CastRefToMut {
39+
fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'tcx>) {
40+
let ExprKind::Unary(UnOp::Deref, e) = &expr.kind else { return; };
41+
42+
let e = e.peel_blocks();
43+
let e = if let ExprKind::Cast(e, t) = e.kind
44+
&& let TyKind::Ptr(MutTy { mutbl: Mutability::Mut, .. }) = t.kind {
45+
e
46+
} else if let ExprKind::MethodCall(_, expr, [], _) = e.kind
47+
&& let Some(def_id) = cx.typeck_results().type_dependent_def_id(e.hir_id)
48+
&& cx.tcx.is_diagnostic_item(sym::ptr_cast_mut, def_id) {
49+
expr
50+
} else {
51+
return;
52+
};
53+
54+
let e = e.peel_blocks();
55+
let e = if let ExprKind::Cast(e, t) = e.kind
56+
&& let TyKind::Ptr(MutTy { mutbl: Mutability::Not, .. }) = t.kind {
57+
e
58+
} else if let ExprKind::Call(path, [arg]) = e.kind
59+
&& let ExprKind::Path(ref qpath) = path.kind
60+
&& let Some(def_id) = cx.qpath_res(qpath, path.hir_id).opt_def_id()
61+
&& cx.tcx.is_diagnostic_item(sym::ptr_from_ref, def_id) {
62+
arg
63+
} else {
64+
return;
65+
};
66+
67+
let e = e.peel_blocks();
68+
if let ty::Ref(..) = cx.typeck_results().node_type(e.hir_id).kind() {
69+
cx.emit_spanned_lint(CAST_REF_TO_MUT, expr.span, CastRefToMutDiag);
70+
}
71+
}
72+
}

compiler/rustc_lint/src/lib.rs

+3
Original file line numberDiff line numberDiff line change
@@ -50,6 +50,7 @@ extern crate tracing;
5050

5151
mod array_into_iter;
5252
pub mod builtin;
53+
mod cast_ref_to_mut;
5354
mod context;
5455
mod deref_into_dyn_supertrait;
5556
mod drop_forget_useless;
@@ -97,6 +98,7 @@ use rustc_span::Span;
9798

9899
use array_into_iter::ArrayIntoIter;
99100
use builtin::*;
101+
use cast_ref_to_mut::*;
100102
use deref_into_dyn_supertrait::*;
101103
use drop_forget_useless::*;
102104
use enum_intrinsics_non_enums::EnumIntrinsicsNonEnums;
@@ -214,6 +216,7 @@ late_lint_methods!(
214216
BoxPointers: BoxPointers,
215217
PathStatements: PathStatements,
216218
LetUnderscore: LetUnderscore,
219+
CastRefToMut: CastRefToMut,
217220
// Depends on referenced function signatures in expressions
218221
UnusedResults: UnusedResults,
219222
NonUpperCaseGlobals: NonUpperCaseGlobals,

compiler/rustc_lint/src/lints.rs

+5
Original file line numberDiff line numberDiff line change
@@ -718,6 +718,11 @@ pub enum InvalidFromUtf8Diag {
718718
},
719719
}
720720

721+
// cast_ref_to_mut.rs
722+
#[derive(LintDiagnostic)]
723+
#[diag(lint_cast_ref_to_mut)]
724+
pub struct CastRefToMutDiag;
725+
721726
// hidden_unicode_codepoints.rs
722727
#[derive(LintDiagnostic)]
723728
#[diag(lint_hidden_unicode_codepoints)]

compiler/rustc_span/src/symbol.rs

+2
Original file line numberDiff line numberDiff line change
@@ -1146,6 +1146,8 @@ symbols! {
11461146
profiler_builtins,
11471147
profiler_runtime,
11481148
ptr,
1149+
ptr_cast_mut,
1150+
ptr_from_ref,
11491151
ptr_guaranteed_cmp,
11501152
ptr_mask,
11511153
ptr_null,

library/core/src/ptr/const_ptr.rs

+1
Original file line numberDiff line numberDiff line change
@@ -104,6 +104,7 @@ impl<T: ?Sized> *const T {
104104
/// refactored.
105105
#[stable(feature = "ptr_const_cast", since = "1.65.0")]
106106
#[rustc_const_stable(feature = "ptr_const_cast", since = "1.65.0")]
107+
#[rustc_diagnostic_item = "ptr_cast_mut"]
107108
#[inline(always)]
108109
pub const fn cast_mut(self) -> *mut T {
109110
self as _

library/core/src/ptr/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -698,6 +698,7 @@ where
698698
#[inline(always)]
699699
#[must_use]
700700
#[unstable(feature = "ptr_from_ref", issue = "106116")]
701+
#[rustc_diagnostic_item = "ptr_from_ref"]
701702
pub const fn from_ref<T: ?Sized>(r: &T) -> *const T {
702703
r
703704
}

src/tools/clippy/clippy_lints/src/casts/cast_ref_to_mut.rs

-26
This file was deleted.

src/tools/clippy/clippy_lints/src/casts/mod.rs

-38
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,6 @@ mod cast_possible_truncation;
99
mod cast_possible_wrap;
1010
mod cast_precision_loss;
1111
mod cast_ptr_alignment;
12-
mod cast_ref_to_mut;
1312
mod cast_sign_loss;
1413
mod cast_slice_different_sizes;
1514
mod cast_slice_from_raw_parts;
@@ -330,41 +329,6 @@ declare_clippy_lint! {
330329
"casting a function pointer to any integer type"
331330
}
332331

333-
declare_clippy_lint! {
334-
/// ### What it does
335-
/// Checks for casts of `&T` to `&mut T` anywhere in the code.
336-
///
337-
/// ### Why is this bad?
338-
/// It’s basically guaranteed to be undefined behavior.
339-
/// `UnsafeCell` is the only way to obtain aliasable data that is considered
340-
/// mutable.
341-
///
342-
/// ### Example
343-
/// ```rust,ignore
344-
/// fn x(r: &i32) {
345-
/// unsafe {
346-
/// *(r as *const _ as *mut _) += 1;
347-
/// }
348-
/// }
349-
/// ```
350-
///
351-
/// Instead consider using interior mutability types.
352-
///
353-
/// ```rust
354-
/// use std::cell::UnsafeCell;
355-
///
356-
/// fn x(r: &UnsafeCell<i32>) {
357-
/// unsafe {
358-
/// *r.get() += 1;
359-
/// }
360-
/// }
361-
/// ```
362-
#[clippy::version = "1.33.0"]
363-
pub CAST_REF_TO_MUT,
364-
correctness,
365-
"a cast of reference to a mutable pointer"
366-
}
367-
368332
declare_clippy_lint! {
369333
/// ### What it does
370334
/// Checks for expressions where a character literal is cast
@@ -680,7 +644,6 @@ impl_lint_pass!(Casts => [
680644
CAST_POSSIBLE_TRUNCATION,
681645
CAST_POSSIBLE_WRAP,
682646
CAST_LOSSLESS,
683-
CAST_REF_TO_MUT,
684647
CAST_PTR_ALIGNMENT,
685648
CAST_SLICE_DIFFERENT_SIZES,
686649
UNNECESSARY_CAST,
@@ -747,7 +710,6 @@ impl<'tcx> LateLintPass<'tcx> for Casts {
747710
}
748711
}
749712

750-
cast_ref_to_mut::check(cx, expr);
751713
cast_ptr_alignment::check(cx, expr);
752714
char_lit_as_u8::check(cx, expr);
753715
ptr_as_ptr::check(cx, expr, &self.msrv);

src/tools/clippy/clippy_lints/src/declared_lints.rs

-1
Original file line numberDiff line numberDiff line change
@@ -81,7 +81,6 @@ pub(crate) static LINTS: &[&crate::LintInfo] = &[
8181
crate::casts::CAST_POSSIBLE_WRAP_INFO,
8282
crate::casts::CAST_PRECISION_LOSS_INFO,
8383
crate::casts::CAST_PTR_ALIGNMENT_INFO,
84-
crate::casts::CAST_REF_TO_MUT_INFO,
8584
crate::casts::CAST_SIGN_LOSS_INFO,
8685
crate::casts::CAST_SLICE_DIFFERENT_SIZES_INFO,
8786
crate::casts::CAST_SLICE_FROM_RAW_PARTS_INFO,

src/tools/clippy/clippy_lints/src/renamed_lints.rs

+1
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ pub static RENAMED_LINTS: &[(&str, &str)] = &[
3131
("clippy::stutter", "clippy::module_name_repetitions"),
3232
("clippy::to_string_in_display", "clippy::recursive_format_impl"),
3333
("clippy::zero_width_space", "clippy::invisible_characters"),
34+
("clippy::cast_ref_to_mut", "cast_ref_to_mut"),
3435
("clippy::clone_double_ref", "suspicious_double_ref_op"),
3536
("clippy::drop_bounds", "drop_bounds"),
3637
("clippy::drop_copy", "dropping_copy_types"),

src/tools/clippy/tests/ui/cast_ref_to_mut.rs

-31
This file was deleted.

src/tools/clippy/tests/ui/cast_ref_to_mut.stderr

-22
This file was deleted.

src/tools/clippy/tests/ui/rename.fixed

+2
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@
2929
#![allow(clippy::recursive_format_impl)]
3030
#![allow(clippy::invisible_characters)]
3131
#![allow(suspicious_double_ref_op)]
32+
#![allow(cast_ref_to_mut)]
3233
#![allow(drop_bounds)]
3334
#![allow(dropping_copy_types)]
3435
#![allow(dropping_references)]
@@ -76,6 +77,7 @@
7677
#![warn(clippy::module_name_repetitions)]
7778
#![warn(clippy::recursive_format_impl)]
7879
#![warn(clippy::invisible_characters)]
80+
#![warn(cast_ref_to_mut)]
7981
#![warn(suspicious_double_ref_op)]
8082
#![warn(drop_bounds)]
8183
#![warn(dropping_copy_types)]

src/tools/clippy/tests/ui/rename.rs

+2
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@
2929
#![allow(clippy::recursive_format_impl)]
3030
#![allow(clippy::invisible_characters)]
3131
#![allow(suspicious_double_ref_op)]
32+
#![allow(cast_ref_to_mut)]
3233
#![allow(drop_bounds)]
3334
#![allow(dropping_copy_types)]
3435
#![allow(dropping_references)]
@@ -76,6 +77,7 @@
7677
#![warn(clippy::stutter)]
7778
#![warn(clippy::to_string_in_display)]
7879
#![warn(clippy::zero_width_space)]
80+
#![warn(clippy::cast_ref_to_mut)]
7981
#![warn(clippy::clone_double_ref)]
8082
#![warn(clippy::drop_bounds)]
8183
#![warn(clippy::drop_copy)]

0 commit comments

Comments
 (0)