bevy_lint/lints/suspicious/
insert_unit_bundle.rs

1//! Checks for calls to `Commands::spawn()` that inserts unit [`()`](unit) as a component.
2//!
3//! # Motivation
4//!
5//! It is possible to use `Commands::spawn()` to spawn an entity with a unit `()` component, since
6//! unit implements `Bundle`. Unit is not a `Component`, however, and will be ignored instead of
7//! added to the entity. Often, inserting a unit is unintentional and is a sign that the author
8//! intended to do something else.
9//!
10//! # Example
11//!
12//! ```
13//! # use bevy::prelude::*;
14//! # use std::f32::consts::PI;
15//! #
16//! fn spawn(mut commands: Commands) {
17//!     commands.spawn(());
18//!
19//!     commands.spawn((
20//!         Name::new("Decal"),
21//!         // This is likely a mistake! `Transform::rotate_z()` returns a unit `()`, not a
22//!         // `Transform`! As such, no `Transform` will be inserted into the entity.
23//!         Transform::from_translation(Vec3::new(0.75, 0.0, 0.0))
24//!             .rotate_z(PI / 4.0),
25//!     ));
26//! }
27//! #
28//! # bevy::ecs::system::assert_is_system(spawn);
29//! ```
30//!
31//! Use instead:
32//!
33//! ```
34//! # use bevy::prelude::*;
35//! # use std::f32::consts::PI;
36//! #
37//! fn spawn(mut commands: Commands) {
38//!     // `Commands::spawn_empty()` is preferred if you do not need any components.
39//!     commands.spawn_empty();
40//!
41//!     commands.spawn((
42//!         Name::new("Decal"),
43//!         // `Transform::with_rotation()` returns a `Transform`, which was likely the intended
44//!         // behavior.
45//!         Transform::from_translation(Vec3::new(0.75, 0.0, 0.0))
46//!             .with_rotation(Quat::from_rotation_z(PI / 4.0)),
47//!     ));
48//! }
49//! #
50//! # bevy::ecs::system::assert_is_system(spawn);
51//! ```
52
53use clippy_utils::{diagnostics::span_lint_hir_and_then, sym, ty::match_type};
54use rustc_errors::Applicability;
55use rustc_hir::{Expr, ExprKind};
56use rustc_lint::{LateContext, LateLintPass};
57use rustc_middle::ty::{Ty, TyKind};
58use rustc_span::Symbol;
59
60use crate::{declare_bevy_lint, declare_bevy_lint_pass, utils::hir_parse::MethodCall};
61
62declare_bevy_lint! {
63    pub INSERT_UNIT_BUNDLE,
64    super::SUSPICIOUS,
65    "inserted a `Bundle` containing a unit `()` type",
66}
67
68declare_bevy_lint_pass! {
69    pub InsertUnitBundle => [INSERT_UNIT_BUNDLE.lint],
70    @default = {
71        spawn: Symbol = sym!(spawn),
72    },
73}
74
75impl<'tcx> LateLintPass<'tcx> for InsertUnitBundle {
76    fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'tcx>) {
77        // Find a method call.
78        let Some(MethodCall {
79            span,
80            method_path,
81            args,
82            receiver,
83            ..
84        }) = MethodCall::try_from(cx, expr)
85        else {
86            return;
87        };
88
89        let src_ty = cx.typeck_results().expr_ty(receiver).peel_refs();
90
91        // If the method call was not to `Commands::spawn()` or originates from an external macro,
92        // we skip it.
93        if !(span.in_external_macro(cx.tcx.sess.source_map())
94            || match_type(cx, src_ty, &crate::paths::COMMANDS)
95                && method_path.ident.name == self.spawn)
96        {
97            return;
98        }
99
100        // Extract the expression of the bundle being spawned.
101        let [bundle_expr] = args else {
102            return;
103        };
104
105        // Find the type of the bundle.
106        let bundle_ty = cx.typeck_results().expr_ty(bundle_expr);
107
108        // Special-case `commands.spawn(())` and suggest `Commands::spawn_empty()` instead.
109        if bundle_ty.is_unit() {
110            span_lint_hir_and_then(
111                cx,
112                INSERT_UNIT_BUNDLE.lint,
113                bundle_expr.hir_id,
114                bundle_expr.span,
115                INSERT_UNIT_BUNDLE.lint.desc,
116                |diag| {
117                    diag.note("unit `()` types are skipped instead of spawned")
118                        .span_suggestion(
119                            span,
120                            "try",
121                            "spawn_empty()",
122                            Applicability::MachineApplicable,
123                        );
124                },
125            );
126
127            return;
128        }
129
130        // Find the path to all units within the bundle type.
131        let unit_paths = find_units_in_tuple(bundle_ty);
132
133        // Emit the lint for all unit tuple paths.
134        for path in unit_paths {
135            let expr = path.into_expr(bundle_expr);
136
137            span_lint_hir_and_then(
138                cx,
139                INSERT_UNIT_BUNDLE.lint,
140                expr.hir_id,
141                expr.span,
142                INSERT_UNIT_BUNDLE.lint.desc,
143                |diag| {
144                    diag.note("unit `()` types are skipped instead of spawned");
145                },
146            );
147        }
148    }
149}
150
151/// Represents the path to an item within a nested tuple.
152///
153/// # Example
154///
155/// Each number within the [`TuplePath`] represents an index into the tuple. An empty path
156/// represents the root tuple, while a path of `TuplePath([0])` represents the first item within
157/// that tuple.
158///
159/// ```ignore
160/// // TuplePath([])
161/// (
162///     // TuplePath([0])
163///     Name::new("Foo"),
164///     // TuplePath([1])
165///     (
166///         // TuplePath([1, 0])
167///         (),
168///         // TuplePath([1, 1])
169///         Transform::default(),
170///         // TuplePath([1, 2])
171///         Visibility::Hidden,
172///     ),
173///     // TuplePath([2])
174///     (),
175/// )
176/// ```
177#[derive(Clone)]
178#[repr(transparent)]
179struct TuplePath(Vec<usize>);
180
181impl TuplePath {
182    /// Creates an empty [`TuplePath`].
183    fn new() -> Self {
184        Self(Vec::new())
185    }
186
187    /// Pushes an index to the end of the path.
188    fn push(&mut self, i: usize) {
189        self.0.push(i);
190    }
191
192    /// Pops the last index in the path.
193    fn pop(&mut self) -> Option<usize> {
194        self.0.pop()
195    }
196
197    /// Finds the [`Expr`] of the item represented by this path given the root tuple.
198    ///
199    /// In the event the path is invalid in some way (such as if an expected tuple is not found),
200    /// this will return the expression closest to the target.
201    fn into_expr<'tcx>(self, root_tuple: &'tcx Expr<'tcx>) -> &'tcx Expr<'tcx> {
202        let mut tuple = root_tuple;
203
204        for i in self.0 {
205            let ExprKind::Tup(items) = tuple.kind else {
206                // If the path is invalid in some way, return the expression nearest to the target.
207                // This is usually the case when the bundle is created outside of
208                // `Commands::spawn()`, such as with `commands.spawn(my_helper())` instead of the
209                // expected `commands.spawn((Foo, Bar, ()))`.
210                return tuple;
211            };
212
213            tuple = &items[i];
214        }
215
216        tuple
217    }
218}
219
220/// Returns the [`TuplePath`]s to all unit types within a tuple type.
221///
222/// # Example
223///
224/// Given a type:
225///
226/// ```ignore
227/// type MyBundle = (
228///     Name,
229///     (
230///         (),
231///         Transform,
232///         Visibility,
233///     ),
234///     (),
235/// );
236/// ```
237///
238/// This function would return:
239///
240/// ```ignore
241/// [
242///     TuplePath([1, 0]),
243///     TuplePath([2]),
244/// ]
245/// ```
246///
247/// See [`TuplePath`]'s documentation for more information.
248fn find_units_in_tuple(ty: Ty<'_>) -> Vec<TuplePath> {
249    fn inner(ty: Ty<'_>, current_path: &mut TuplePath, unit_paths: &mut Vec<TuplePath>) {
250        if let TyKind::Tuple(types) = ty.kind() {
251            if types.is_empty() {
252                unit_paths.push(current_path.clone());
253                return;
254            }
255
256            for (i, ty) in types.into_iter().enumerate() {
257                current_path.push(i);
258                inner(ty, current_path, unit_paths);
259                current_path.pop();
260            }
261        }
262    }
263
264    let mut current_path = TuplePath::new();
265    let mut unit_paths = Vec::new();
266
267    inner(ty, &mut current_path, &mut unit_paths);
268
269    unit_paths
270}