bevy_lint/lints/restriction/panicking_methods.rs
1//! Checks for use of panicking methods of `World` when a non-panicking
2//! alternative exists.
3//!
4//! For instance, this will lint against `World::entity()`, recommending that `World::get_entity()`
5//! should be used instead.
6//!
7//! # Motivation
8//!
9//! Panicking is the nuclear option of error handling in Rust: it is meant for cases where recovery
10//! is near-impossible. As such, panicking is usually undesirable in long-running applications
11//! and games like what Bevy is used for. This lint aims to prevent unwanted crashes in these
12//! applications by forcing developers to handle the `Option` or `Result` in their code.
13//!
14//! # Example
15//!
16//! ```
17//! # use bevy::prelude::*;
18//! #
19//! #[derive(Resource)]
20//! struct MyResource;
21//!
22//! fn panicking_world(world: &mut World) {
23//! let resource = world.resource::<MyResource>();
24//! // ...
25//! }
26//! #
27//! # bevy::ecs::system::assert_is_system(panicking_world);
28//! ```
29//!
30//! Use instead:
31//!
32//! ```
33//! # use bevy::prelude::*;
34//! #
35//!
36//! #[derive(Resource)]
37//! struct MyResource;
38//!
39//! fn graceful_world(world: &mut World) {
40//! let Some(resource) = world.get_resource::<MyResource>() else {
41//! // Resource may not exist.
42//! return;
43//! };
44//!
45//! // ...
46//! }
47//! #
48//! # bevy::ecs::system::assert_is_system(graceful_world);
49//! ```
50
51use crate::{
52 declare_bevy_lint, declare_bevy_lint_pass,
53 utils::hir_parse::{MethodCall, generic_args_snippet, span_args},
54};
55use clippy_utils::{
56 diagnostics::span_lint_and_help,
57 source::{snippet, snippet_opt},
58 ty::match_type,
59};
60use rustc_hir::Expr;
61use rustc_lint::{LateContext, LateLintPass};
62use rustc_middle::ty::Ty;
63use rustc_span::Symbol;
64
65declare_bevy_lint! {
66 pub PANICKING_METHODS,
67 super::RESTRICTION,
68 "called a method that can panic when a non-panicking alternative exists",
69}
70
71declare_bevy_lint_pass! {
72 pub PanickingMethods => [PANICKING_METHODS.lint],
73}
74
75impl<'tcx> LateLintPass<'tcx> for PanickingMethods {
76 fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'tcx>) {
77 // skip expressions that originate from external macros
78 if expr.span.in_external_macro(cx.tcx.sess.source_map()) {
79 return;
80 }
81
82 // Check if `expr` is a method call
83 if let Some(MethodCall {
84 span,
85 method_path,
86 args,
87 receiver,
88 is_fully_qulified,
89 }) = MethodCall::try_from(cx, expr)
90 {
91 // get the `Ty` of the receiver, this can either be:
92 //
93 // for fully qualified method calls the first argument is `Self` and represents the
94 // `Ty` we are looking for:
95 //
96 // Query::single(&foo, args);
97 // ^^^^^
98 // for *not* fully qualified method calls:
99 //
100 // foo.single();
101 // ^^^^^
102 //
103 // We peel all references to that `Foo`, `&Foo`, `&&Foo`, etc.
104 let src_ty = cx.typeck_results().expr_ty(receiver).peel_refs();
105
106 // Check if `src_ty` is a type that has panicking methods (e.g. `Query`), else exit.
107 let Some(panicking_type) = PanickingType::try_from_ty(cx, src_ty) else {
108 return;
109 };
110
111 // Get a list of methods that panic and their alternatives for the specific query
112 // variant.
113 let panicking_alternatives = panicking_type.alternatives();
114
115 // Here we check if the method name matches one of methods in `panicking_alternatives`.
116 // If it does match, we store the recommended alternative for reference in diagnostics
117 // later. If nothing matches, we exit the entire function.
118 let alternative = 'block: {
119 for (panicking_method, alternative_method) in panicking_alternatives {
120 // If performance is an issue in the future, this could be cached.
121 let key = Symbol::intern(panicking_method);
122
123 if method_path.ident.name == key {
124 // It is one of the panicking methods. Write down the alternative and
125 // stop searching.
126 break 'block *alternative_method;
127 }
128 }
129
130 // If we reach this point, the method is not one we're searching for. In this
131 // case, we exit.
132 return;
133 };
134
135 // By this point, we've verified that `src` is a panicking type and the method is
136 // one that panics with a viable alternative. Let's emit the lint.
137 let (src_snippet, generics_snippet, args_snippet) = if is_fully_qulified {
138 // When the method was a fully qualified method call, the beginning of the snippet
139 // is just the `PanickingType`.
140 let mut src_snippet = panicking_type.name().to_string();
141 src_snippet.push_str("::");
142
143 // Try to find the generic arguments of the method, if any exist. This can
144 // either evaluate to `""` or `"::<A, B, C>"`.
145 let generics_snippet = generic_args_snippet(cx, method_path);
146
147 // The first argument to a fully qualified method call is the receiver (`Self`) and
148 // is not part of the `args`
149 let receiver_snippet = snippet(cx, receiver.span, "");
150
151 // Try to find the string representation of the arguments to our panicking
152 // method. See `span_args()` for more details on how this is
153 // done.
154 let args_snippet = snippet(cx, span_args(args), "");
155 // If there are no args, just return the `receiver` as the only argument
156 if args_snippet.is_empty() {
157 (src_snippet, generics_snippet, receiver_snippet)
158 } else {
159 // If there are arguments in the method call, add them after the `receiver` and
160 // add the `,` as delimiter
161 (
162 src_snippet,
163 generics_snippet,
164 format!("{receiver_snippet}, {args_snippet}").into(),
165 )
166 }
167 }
168 // The method was not a fully qualified call
169 else {
170 // Try to find the string representation of `src`. This usually returns
171 // `my_query` without the trailing `.`, so we manually
172 // append it. When the snippet cannot be found, we default
173 // to the qualified `Type::` form.
174 let src_snippet = snippet_opt(cx, receiver.span).map_or_else(
175 || format!("{}::", panicking_type.name()),
176 |mut s| {
177 s.push('.');
178 s
179 },
180 );
181 // Try to find the generic arguments of the method, if any exist. This can
182 // either evaluate to `""` or `"::<A, B, C>"`.
183 let generics_snippet = generic_args_snippet(cx, method_path);
184
185 // Try to find the string representation of the arguments to our panicking
186 // method. See `span_args()` for more details on how this is
187 // done.
188 let args_snippet = snippet(cx, span_args(args), "");
189 (src_snippet, generics_snippet, args_snippet)
190 };
191
192 span_lint_and_help(
193 cx,
194 PANICKING_METHODS.lint,
195 span,
196 format!(
197 "called a `{}` method that can panic when a non-panicking alternative exists",
198 panicking_type.name()
199 ),
200 None,
201 // This usually ends up looking like: `query.get_many([e1, e2])`.
202 format!(
203 "use `{src_snippet}{alternative}{generics_snippet}({args_snippet})` and handle the `Option` or `Result`"
204 ),
205 );
206 }
207 }
208}
209
210enum PanickingType {
211 Query,
212 QueryState,
213 World,
214}
215
216impl PanickingType {
217 /// Returns the corresponding variant for the given [`Ty`], if it is supported by this lint.
218 fn try_from_ty<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> Option<Self> {
219 if match_type(cx, ty, &crate::paths::QUERY) {
220 Some(Self::Query)
221 } else if match_type(cx, ty, &crate::paths::QUERY_STATE) {
222 Some(Self::QueryState)
223 } else if match_type(cx, ty, &crate::paths::WORLD) {
224 Some(Self::World)
225 } else {
226 None
227 }
228 }
229
230 /// Returns a list of panicking methods for each of the supported types.
231 ///
232 /// Each item in the returned [`slice`] is of the format
233 /// `(panicking_method, alternative_method)`.
234 fn alternatives(&self) -> &'static [(&'static str, &'static str)] {
235 match self {
236 Self::Query => &[("many", "get_many"), ("many_mut", "get_many_mut")],
237 Self::QueryState => &[],
238 Self::World => &[
239 ("entity", "get_entity"),
240 ("entity_mut", "get_entity_mut"),
241 ("many_entities", "get_many_entities"),
242 ("many_entities_mut", "get_many_entities_mut"),
243 ("resource", "get_resource"),
244 ("resource_mut", "get_resource_mut"),
245 ("resource_ref", "get_resource_ref"),
246 ("non_send_resource", "get_non_send_resource"),
247 ("non_send_resource_mut", "get_non_send_resource_mut"),
248 ("run_schedule", "try_run_schedule"),
249 ("schedule_scope", "try_schedule_scope"),
250 ],
251 }
252 }
253
254 /// Returns the name of the type this variant represents.
255 fn name(&self) -> &'static str {
256 match self {
257 Self::Query => "Query",
258 Self::QueryState => "QueryState",
259 Self::World => "World",
260 }
261 }
262}