bevy_lint/lints/pedantic/
borrowed_reborrowable.rs

1//! Checks for function parameters that take a mutable reference to a re-borrowable type.
2//!
3//! This lint checks for the following re-borrowable types:
4//!
5//! - `Commands`
6//! - `Deferred`
7//! - `DeferredWorld`
8//! - `EntityCommands`
9//! - `EntityMut`
10//! - `FilteredEntityMut`
11//! - `Mut`
12//! - `MutUntyped`
13//! - `NonSendMut`
14//! - `PtrMut`
15//! - `Query`
16//! - `ResMut`
17//!
18//! Though a type may be re-borrowable, there are circumstances where it cannot be easily
19//! reborrowed. (Please see the [Examples](#example).) In these cases, no warning will be emitted.
20//!
21//! # Motivation
22//!
23//! Several Bevy types look like they are owned, when in reality they contain an `&mut` reference
24//! to the data owned by the ECS. `Commands` and `Query` are examples of such types that _pretend_
25//! to own data for better user ergonomics.
26//!
27//! This can be an issue when a user writes a function that takes a mutable reference to one of
28//! these types, not realizing that it itself is _already_ a reference. These mutable references
29//! can almost always be readily converted back to an owned instance of the type, which is a cheap
30//! operation that avoids nested references.
31//!
32//! # Known Issues
33//!
34//! This lint does not currently support the [`Fn`] traits or function pointers. This means the
35//! following types will not be caught by the lint:
36//!
37//! - `impl FnOnce(&mut Commands)`
38//! - `Box<dyn FnMut(&mut Commands)>`
39//! - `fn(&mut Commands)`
40//!
41//! For more information, please see [#174].
42//!
43//! [#174]: https://github.com/TheBevyFlock/bevy_cli/issues/174
44//!
45//! # Example
46//!
47//! ```
48//! # use bevy::prelude::*;
49//! #
50//! fn system(mut commands: Commands) {
51//!     helper_function(&mut commands);
52//! }
53//!
54//! // This takes `&mut Commands`, but it doesn't need to!
55//! fn helper_function(commands: &mut Commands) {
56//!     // ...
57//! }
58//! #
59//! # bevy::ecs::system::assert_is_system(system);
60//! ```
61//!
62//! Use instead:
63//!
64//! ```
65//! # use bevy::prelude::*;
66//! #
67//! fn system(mut commands: Commands) {
68//!     // Convert `&mut Commands` to `Commands`.
69//!     helper_function(commands.reborrow());
70//! }
71//!
72//! fn helper_function(mut commands: Commands) {
73//!     // ...
74//! }
75//! #
76//! # bevy::ecs::system::assert_is_system(system);
77//! ```
78//!
79//! A type cannot be easily reborrowed when a function returns a reference with the same lifetime
80//! as the borrowed type. The lint knows about this case, however, and will not emit any warning if
81//! it knows the type cannot be re-borrowed:
82//!
83//! ```
84//! # use bevy::{prelude::*, ecs::system::EntityCommands};
85//! #
86//! fn system(mut commands: Commands) {
87//!     let entity_commands = helper_function(&mut commands);
88//!     // ...
89//! }
90//!
91//! // Note how this function returns a reference with the same lifetime as `Commands`.
92//! fn helper_function<'a>(commands: &'a mut Commands) -> EntityCommands<'a> {
93//!     commands.spawn_empty()
94//! }
95//! #
96//! # bevy::ecs::system::assert_is_system(system);
97//! ```
98
99use std::ops::ControlFlow;
100
101use crate::{declare_bevy_lint, declare_bevy_lint_pass};
102use clippy_utils::{diagnostics::span_lint_and_sugg, source::snippet_opt, ty::match_type};
103use rustc_errors::Applicability;
104use rustc_hir::{Body, FnDecl, MutTy, Mutability, intravisit::FnKind};
105use rustc_lint::{LateContext, LateLintPass};
106use rustc_middle::ty::{Interner, Ty, TyKind, TypeVisitable, TypeVisitor};
107use rustc_span::{
108    Span,
109    def_id::LocalDefId,
110    symbol::{Ident, kw},
111};
112
113declare_bevy_lint! {
114    pub BORROWED_REBORROWABLE,
115    super::PEDANTIC,
116    "function parameter takes a mutable reference to a re-borrowable type",
117}
118
119declare_bevy_lint_pass! {
120    pub BorrowedReborrowable => [BORROWED_REBORROWABLE.lint],
121}
122
123impl<'tcx> LateLintPass<'tcx> for BorrowedReborrowable {
124    fn check_fn(
125        &mut self,
126        cx: &LateContext<'tcx>,
127        kind: FnKind<'tcx>,
128        decl: &'tcx FnDecl<'tcx>,
129        _: &'tcx Body<'tcx>,
130        fn_span: Span,
131        def_id: LocalDefId,
132    ) {
133        // If the function originates from an external macro, skip this lint
134        if fn_span.in_external_macro(cx.tcx.sess.source_map()) {
135            return;
136        }
137
138        let fn_sig = match kind {
139            FnKind::Closure => cx.tcx.closure_user_provided_sig(def_id).value,
140            // We use `instantiate_identity` to discharge the binder since we don't
141            // mind using placeholders for any bound arguments
142            _ => cx.tcx.fn_sig(def_id).instantiate_identity(),
143        };
144
145        let arg_names = cx.tcx.fn_arg_names(def_id);
146
147        let args = fn_sig.inputs().skip_binder();
148
149        for (arg_index, arg_ty) in args.iter().enumerate() {
150            let TyKind::Ref(region, ty, Mutability::Mut) = arg_ty.kind() else {
151                // We only care about `&mut` parameters
152                continue;
153            };
154
155            let arg_ident = arg_names[arg_index];
156
157            // This lint would emit a warning on `&mut self` if `self` was reborrowable. This isn't
158            // useful, though, because it would hurt the ergonomics of using methods of
159            // reborrowable types.
160            //
161            // To avoid this, we skip any parameter named `self`. This won't false-positive on
162            // other function arguments named `self`, since it is a special keyword that is
163            // disallowed in other positions.
164            if arg_ident.name == kw::SelfLower {
165                continue;
166            }
167
168            let Some(reborrowable) = Reborrowable::try_from_ty(cx, *ty) else {
169                // The type is not one of our known re-borrowable types
170                continue;
171            };
172
173            let is_output_bound_to_arg = fn_sig
174                .output()
175                .visit_with(&mut ContainsRegion(*region))
176                .is_break();
177
178            if is_output_bound_to_arg {
179                // We don't want to suggest re-borrowing if the return type's
180                // lifetime is bound to the argument's reference.
181                // This is because it's impossible to convert something like:
182                // `for<'a> (&'a mut Commands<'_, '_>) -> EntityCommands<'a>`
183                // to something like:
184                // `for<'a> (Commands<'_, '_>) -> EntityCommands<'a>`
185                // without getting: `error[E0515]: cannot return value referencing function
186                // parameter `commands` ``
187                continue;
188            }
189
190            let span = decl.inputs[arg_index].span.to(arg_ident.span);
191
192            // This tries to get the user-written form of `T` given the HIR representation for `&T`
193            // / `&mut T`. If we cannot for whatever reason, we fallback to using
194            // `Ty::to_string()` to get the fully-qualified form of `T`.
195            //
196            // For example, given a function signature like `fn(&mut Commands)`, we try to get the
197            // snippet for just `Commands` but default to `bevy::prelude::Commands<'_, '_>` if we
198            // cannot.
199            let ty_snippet = match decl.inputs[arg_index].kind {
200                // The `Ty` should be a `Ref`, since we proved that above.
201                rustc_hir::TyKind::Ref(_, MutTy { ty: inner_ty, .. }) => {
202                    // Get the snippet for the inner type.
203                    snippet_opt(cx, inner_ty.span)
204                }
205                // If it's not a `Ref` for whatever reason, fallback to our default value.
206                _ => None,
207            }
208            .unwrap_or_else(|| ty.to_string());
209
210            span_lint_and_sugg(
211                cx,
212                BORROWED_REBORROWABLE.lint,
213                span,
214                reborrowable.message(),
215                reborrowable.help(),
216                reborrowable.suggest(arg_ident, ty_snippet),
217                // Not machine-applicable since the function body may need to
218                // also be updated to account for the removed ref
219                Applicability::MaybeIncorrect,
220            );
221        }
222    }
223}
224
225#[derive(Debug, Copy, Clone)]
226enum Reborrowable {
227    Commands,
228    Deferred,
229    DeferredWorld,
230    EntityCommands,
231    EntityMut,
232    FilteredEntityMut,
233    Mut,
234    MutUntyped,
235    NonSendMut,
236    PtrMut,
237    Query,
238    ResMut,
239}
240
241impl Reborrowable {
242    fn try_from_ty<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> Option<Self> {
243        use crate::paths::*;
244
245        const PATH_MAP: &[(&[&str], Reborrowable)] = &[
246            (&COMMANDS, Reborrowable::Commands),
247            (&DEFERRED, Reborrowable::Deferred),
248            (&DEFERRED_WORLD, Reborrowable::DeferredWorld),
249            (&ENTITY_COMMANDS, Reborrowable::EntityCommands),
250            (&ENTITY_MUT, Reborrowable::EntityMut),
251            (&FILTERED_ENTITY_MUT, Reborrowable::FilteredEntityMut),
252            (&MUT, Reborrowable::Mut),
253            (&MUT_UNTYPED, Reborrowable::MutUntyped),
254            (&NON_SEND_MUT, Reborrowable::NonSendMut),
255            (&PTR_MUT, Reborrowable::PtrMut),
256            (&QUERY, Reborrowable::Query),
257            (&RES_MUT, Reborrowable::ResMut),
258        ];
259
260        for &(path, reborrowable) in PATH_MAP {
261            if match_type(cx, ty, path) {
262                return Some(reborrowable);
263            }
264        }
265
266        None
267    }
268
269    fn message(&self) -> String {
270        let name = self.name();
271        format!("parameter takes `&mut {name}` instead of a re-borrowed `{name}`",)
272    }
273
274    fn name(&self) -> &'static str {
275        match self {
276            Self::Commands => "Commands",
277            Self::Deferred => "Deferred",
278            Self::DeferredWorld => "DeferredWorld",
279            Self::EntityCommands => "EntityCommands",
280            Self::EntityMut => "EntityMut",
281            Self::FilteredEntityMut => "FilteredEntityMut",
282            Self::Mut => "Mut",
283            Self::MutUntyped => "MutUntyped",
284            Self::NonSendMut => "NonSendMut",
285            Self::PtrMut => "PtrMut",
286            Self::Query => "Query",
287            Self::ResMut => "ResMut",
288        }
289    }
290
291    fn help(&self) -> String {
292        let name = self.name();
293        format!("use `{name}` instead")
294    }
295
296    fn suggest(&self, ident: Ident, ty: String) -> String {
297        format!("mut {ident}: {ty}")
298    }
299}
300
301/// [`TypeVisitor`] for checking if the given region is contained in the type.
302struct ContainsRegion<I: Interner>(pub I::Region);
303
304impl<I: Interner> TypeVisitor<I> for ContainsRegion<I> {
305    type Result = ControlFlow<()>;
306
307    fn visit_region(&mut self, r: I::Region) -> Self::Result {
308        if self.0 == r {
309            ControlFlow::Break(())
310        } else {
311            ControlFlow::Continue(())
312        }
313    }
314}