1use std::iter;
2
3use rustc_errors::pluralize;
4use rustc_hir::def::{DefKind, Res};
5use rustc_hir::def_id::DefId;
6use rustc_hir::{self as hir, LangItem, find_attr};
7use rustc_infer::traits::util::elaborate;
8use rustc_middle::ty::{self, Ty};
9use rustc_session::{declare_lint, declare_lint_pass};
10use rustc_span::{Span, Symbol, sym};
11use tracing::instrument;
12
13use crate::lints::{
14 UnusedClosure, UnusedCoroutine, UnusedDef, UnusedDefSuggestion, UnusedOp, UnusedOpSuggestion,
15 UnusedResult,
16};
17use crate::{LateContext, LateLintPass, LintContext};
18
19#[doc =
r" The `unused_must_use` lint detects unused result of a type flagged as"]
#[doc = r" `#[must_use]`."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust"]
#[doc = r" fn returns_result() -> Result<(), ()> {"]
#[doc = r" Ok(())"]
#[doc = r" }"]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r" returns_result();"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" The `#[must_use]` attribute is an indicator that it is a mistake to"]
#[doc = r" ignore the value. See [the reference] for more details."]
#[doc = r""]
#[doc =
r" [the reference]: https://doc.rust-lang.org/reference/attributes/diagnostics.html#the-must_use-attribute"]
pub static UNUSED_MUST_USE: &::rustc_lint_defs::Lint =
&::rustc_lint_defs::Lint {
name: "UNUSED_MUST_USE",
default_level: ::rustc_lint_defs::Warn,
desc: "unused result of a type flagged as `#[must_use]`",
is_externally_loaded: false,
report_in_external_macro: true,
..::rustc_lint_defs::Lint::default_fields_for_macro()
};declare_lint! {
20 pub UNUSED_MUST_USE,
44 Warn,
45 "unused result of a type flagged as `#[must_use]`",
46 report_in_external_macro
47}
48
49#[doc = r" The `unused_results` lint checks for the unused result of an"]
#[doc = r" expression in a statement."]
#[doc = r""]
#[doc = r" ### Example"]
#[doc = r""]
#[doc = r" ```rust,compile_fail"]
#[doc = r" #![deny(unused_results)]"]
#[doc = r" fn foo<T>() -> T { panic!() }"]
#[doc = r""]
#[doc = r" fn main() {"]
#[doc = r" foo::<usize>();"]
#[doc = r" }"]
#[doc = r" ```"]
#[doc = r""]
#[doc = r" {{produces}}"]
#[doc = r""]
#[doc = r" ### Explanation"]
#[doc = r""]
#[doc =
r" Ignoring the return value of a function may indicate a mistake. In"]
#[doc =
r" cases were it is almost certain that the result should be used, it is"]
#[doc =
r" recommended to annotate the function with the [`must_use` attribute]."]
#[doc =
r" Failure to use such a return value will trigger the [`unused_must_use`"]
#[doc = r" lint] which is warn-by-default. The `unused_results` lint is"]
#[doc = r" essentially the same, but triggers for *all* return values."]
#[doc = r""]
#[doc =
r#" This lint is "allow" by default because it can be noisy, and may not be"#]
#[doc =
r" an actual problem. For example, calling the `remove` method of a `Vec`"]
#[doc =
r" or `HashMap` returns the previous value, which you may not care about."]
#[doc =
r" Using this lint would require explicitly ignoring or discarding such"]
#[doc = r" values."]
#[doc = r""]
#[doc =
r" [`must_use` attribute]: https://doc.rust-lang.org/reference/attributes/diagnostics.html#the-must_use-attribute"]
#[doc = r" [`unused_must_use` lint]: warn-by-default.html#unused-must-use"]
pub static UNUSED_RESULTS: &::rustc_lint_defs::Lint =
&::rustc_lint_defs::Lint {
name: "UNUSED_RESULTS",
default_level: ::rustc_lint_defs::Allow,
desc: "unused result of an expression in a statement",
is_externally_loaded: false,
..::rustc_lint_defs::Lint::default_fields_for_macro()
};declare_lint! {
50 pub UNUSED_RESULTS,
84 Allow,
85 "unused result of an expression in a statement"
86}
87
88pub struct UnusedResults;
#[automatically_derived]
impl ::core::marker::Copy for UnusedResults { }
#[automatically_derived]
#[doc(hidden)]
unsafe impl ::core::clone::TrivialClone for UnusedResults { }
#[automatically_derived]
impl ::core::clone::Clone for UnusedResults {
#[inline]
fn clone(&self) -> UnusedResults { *self }
}
impl ::rustc_lint_defs::LintPass for UnusedResults {
fn name(&self) -> &'static str { "UnusedResults" }
fn get_lints(&self) -> ::rustc_lint_defs::LintVec {
::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[UNUSED_MUST_USE, UNUSED_RESULTS]))
}
}
impl UnusedResults {
#[allow(unused)]
pub fn lint_vec() -> ::rustc_lint_defs::LintVec {
::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[UNUSED_MUST_USE, UNUSED_RESULTS]))
}
}declare_lint_pass!(UnusedResults => [UNUSED_MUST_USE, UNUSED_RESULTS]);
89
90#[derive(#[automatically_derived]
impl ::core::fmt::Debug for IsTyMustUse {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
match self {
IsTyMustUse::Yes(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f, "Yes",
&__self_0),
IsTyMustUse::No => ::core::fmt::Formatter::write_str(f, "No"),
IsTyMustUse::Trivial =>
::core::fmt::Formatter::write_str(f, "Trivial"),
}
}
}Debug)]
92pub enum IsTyMustUse {
93 Yes(MustUsePath),
96 No,
99 Trivial,
102}
103
104impl IsTyMustUse {
105 fn map(self, f: impl FnOnce(MustUsePath) -> MustUsePath) -> Self {
106 match self {
107 Self::Yes(must_use_path) => Self::Yes(f(must_use_path)),
108 _ => self,
109 }
110 }
111}
112
113#[derive(#[automatically_derived]
impl ::core::fmt::Debug for MustUsePath {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
match self {
MustUsePath::Def(__self_0, __self_1, __self_2) =>
::core::fmt::Formatter::debug_tuple_field3_finish(f, "Def",
__self_0, __self_1, &__self_2),
MustUsePath::Boxed(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f, "Boxed",
&__self_0),
MustUsePath::Pinned(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f, "Pinned",
&__self_0),
MustUsePath::Opaque(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f, "Opaque",
&__self_0),
MustUsePath::TraitObject(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"TraitObject", &__self_0),
MustUsePath::TupleElement(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"TupleElement", &__self_0),
MustUsePath::Result(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f, "Result",
&__self_0),
MustUsePath::ControlFlow(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"ControlFlow", &__self_0),
MustUsePath::Array(__self_0, __self_1) =>
::core::fmt::Formatter::debug_tuple_field2_finish(f, "Array",
__self_0, &__self_1),
MustUsePath::Closure(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"Closure", &__self_0),
MustUsePath::Coroutine(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"Coroutine", &__self_0),
}
}
}Debug)]
115pub enum MustUsePath {
116 Def(Span, DefId, Option<Symbol>),
118 Boxed(Box<Self>),
119 Pinned(Box<Self>),
120 Opaque(Box<Self>),
121 TraitObject(Box<Self>),
122 TupleElement(Vec<(usize, Self)>),
123 Result(Box<Self>),
125 ControlFlow(Box<Self>),
127 Array(Box<Self>, u64),
128 Closure(Span),
130 Coroutine(Span),
132}
133
134x;#[instrument(skip(cx, expr), level = "debug", ret)]
143pub fn is_ty_must_use<'tcx>(
144 cx: &LateContext<'tcx>,
145 ty: Ty<'tcx>,
146 expr: &hir::Expr<'_>,
147 simplify_uninhabited: bool,
148) -> IsTyMustUse {
149 if ty.is_unit() {
150 return IsTyMustUse::Trivial;
151 }
152
153 let parent_mod_did = cx.tcx.parent_module(expr.hir_id).to_def_id();
154 let is_uninhabited =
155 |t: Ty<'tcx>| !t.is_inhabited_from(cx.tcx, parent_mod_did, cx.typing_env());
156
157 match *ty.kind() {
158 _ if is_uninhabited(ty) => IsTyMustUse::Trivial,
159 ty::Adt(..) if let Some(boxed) = ty.boxed_ty() => {
160 is_ty_must_use(cx, boxed, expr, simplify_uninhabited)
161 .map(|inner| MustUsePath::Boxed(Box::new(inner)))
162 }
163 ty::Adt(def, args) if cx.tcx.is_lang_item(def.did(), LangItem::Pin) => {
164 let pinned_ty = args.type_at(0);
165 is_ty_must_use(cx, pinned_ty, expr, simplify_uninhabited)
166 .map(|inner| MustUsePath::Pinned(Box::new(inner)))
167 }
168 ty::Adt(def, args)
170 if simplify_uninhabited
171 && cx.tcx.is_diagnostic_item(sym::Result, def.did())
172 && is_uninhabited(args.type_at(1)) =>
173 {
174 let ok_ty = args.type_at(0);
175 is_ty_must_use(cx, ok_ty, expr, simplify_uninhabited)
176 .map(|path| MustUsePath::Result(Box::new(path)))
177 }
178 ty::Adt(def, args)
180 if simplify_uninhabited
181 && cx.tcx.is_diagnostic_item(sym::ControlFlow, def.did())
182 && is_uninhabited(args.type_at(0)) =>
183 {
184 let continue_ty = args.type_at(1);
185 is_ty_must_use(cx, continue_ty, expr, simplify_uninhabited)
186 .map(|path| MustUsePath::ControlFlow(Box::new(path)))
187 }
188 ty::Adt(def, args)
190 if cx.tcx.is_diagnostic_item(sym::Result, def.did())
191 && args.type_at(0).is_unit()
192 && is_uninhabited(args.type_at(1)) =>
193 {
194 IsTyMustUse::Trivial
195 }
196 ty::Adt(def, args)
198 if cx.tcx.is_diagnostic_item(sym::ControlFlow, def.did())
199 && args.type_at(1).is_unit()
200 && is_uninhabited(args.type_at(0)) =>
201 {
202 IsTyMustUse::Trivial
203 }
204 ty::Adt(def, _) => {
205 is_def_must_use(cx, def.did(), expr.span).map_or(IsTyMustUse::No, IsTyMustUse::Yes)
206 }
207 ty::Alias(ty::Opaque | ty::Projection, ty::AliasTy { def_id: def, .. }) => {
208 elaborate(cx.tcx, cx.tcx.explicit_item_self_bounds(def).iter_identity_copied())
209 .filter_only_self()
211 .find_map(|(pred, _span)| {
212 if let ty::ClauseKind::Trait(ref poly_trait_predicate) =
214 pred.kind().skip_binder()
215 {
216 let def_id = poly_trait_predicate.trait_ref.def_id;
217
218 is_def_must_use(cx, def_id, expr.span)
219 } else {
220 None
221 }
222 })
223 .map(|inner| MustUsePath::Opaque(Box::new(inner)))
224 .map_or(IsTyMustUse::No, IsTyMustUse::Yes)
225 }
226 ty::Dynamic(binders, _) => binders
227 .iter()
228 .find_map(|predicate| {
229 if let ty::ExistentialPredicate::Trait(ref trait_ref) = predicate.skip_binder() {
230 let def_id = trait_ref.def_id;
231 is_def_must_use(cx, def_id, expr.span)
232 .map(|inner| MustUsePath::TraitObject(Box::new(inner)))
233 } else {
234 None
235 }
236 })
237 .map_or(IsTyMustUse::No, IsTyMustUse::Yes),
238 ty::Tuple(tys) => {
240 let elem_exprs = if let hir::ExprKind::Tup(elem_exprs) = expr.kind {
241 debug_assert_eq!(elem_exprs.len(), tys.len());
242 elem_exprs
243 } else {
244 &[]
245 };
246
247 let elem_exprs = elem_exprs.iter().chain(iter::repeat(expr));
249
250 let mut all_trivial = true;
251 let mut nested_must_use = Vec::new();
252
253 tys.iter().zip(elem_exprs).enumerate().for_each(|(i, (ty, expr))| {
254 let must_use = is_ty_must_use(cx, ty, expr, simplify_uninhabited);
255
256 all_trivial &= matches!(must_use, IsTyMustUse::Trivial);
257 if let IsTyMustUse::Yes(path) = must_use {
258 nested_must_use.push((i, path));
259 }
260 });
261
262 if all_trivial {
263 IsTyMustUse::Trivial
266 } else if !nested_must_use.is_empty() {
267 IsTyMustUse::Yes(MustUsePath::TupleElement(nested_must_use))
268 } else {
269 IsTyMustUse::No
270 }
271 }
272 ty::Array(ty, len) => match len.try_to_target_usize(cx.tcx) {
273 Some(0) | None => IsTyMustUse::No,
275 Some(len) => is_ty_must_use(cx, ty, expr, simplify_uninhabited)
277 .map(|inner| MustUsePath::Array(Box::new(inner), len)),
278 },
279 ty::Closure(..) | ty::CoroutineClosure(..) => {
280 IsTyMustUse::Yes(MustUsePath::Closure(expr.span))
281 }
282 ty::Coroutine(def_id, ..) => {
283 if cx.tcx.coroutine_is_async(def_id)
285 && let Some(def_id) = cx.tcx.lang_items().future_trait()
286 {
287 IsTyMustUse::Yes(MustUsePath::Opaque(Box::new(
288 is_def_must_use(cx, def_id, expr.span)
289 .expect("future trait is marked as `#[must_use]`"),
290 )))
291 } else {
292 IsTyMustUse::Yes(MustUsePath::Coroutine(expr.span))
293 }
294 }
295 _ => IsTyMustUse::No,
296 }
297}
298
299impl<'tcx> LateLintPass<'tcx> for UnusedResults {
300 fn check_stmt(&mut self, cx: &LateContext<'_>, s: &hir::Stmt<'_>) {
301 let hir::StmtKind::Semi(mut expr) = s.kind else {
302 return;
303 };
304
305 let mut expr_is_from_block = false;
306 while let hir::ExprKind::Block(blk, ..) = expr.kind
307 && let hir::Block { expr: Some(e), .. } = blk
308 {
309 expr = e;
310 expr_is_from_block = true;
311 }
312
313 if let hir::ExprKind::Ret(..) = expr.kind {
314 return;
315 }
316
317 if let hir::ExprKind::Match(await_expr, _arms, hir::MatchSource::AwaitDesugar) = expr.kind
318 && let ty = cx.typeck_results().expr_ty(await_expr)
319 && let ty::Alias(ty::Opaque, ty::AliasTy { def_id: future_def_id, .. }) = ty.kind()
320 && cx.tcx.ty_is_opaque_future(ty)
321 && let async_fn_def_id = cx.tcx.parent(*future_def_id)
322 && #[allow(non_exhaustive_omitted_patterns)] match cx.tcx.def_kind(async_fn_def_id)
{
DefKind::Fn | DefKind::AssocFn => true,
_ => false,
}matches!(cx.tcx.def_kind(async_fn_def_id), DefKind::Fn | DefKind::AssocFn)
323 && cx.tcx.asyncness(async_fn_def_id).is_async()
325 && check_must_use_def(
326 cx,
327 async_fn_def_id,
328 expr.span,
329 "output of future returned by ",
330 "",
331 expr_is_from_block,
332 )
333 {
334 return;
337 }
338
339 let ty = cx.typeck_results().expr_ty(expr);
340
341 let must_use_result = is_ty_must_use(cx, ty, expr, false);
342 let type_lint_emitted_or_trivial = match must_use_result {
343 IsTyMustUse::Yes(path) => {
344 emit_must_use_untranslated(cx, &path, "", "", 1, false, expr_is_from_block);
345 true
346 }
347 IsTyMustUse::Trivial => true,
348 IsTyMustUse::No => false,
349 };
350
351 let fn_warned = check_fn_must_use(cx, expr, expr_is_from_block);
352
353 if !fn_warned && type_lint_emitted_or_trivial {
354 return;
357 }
358
359 let must_use_op = match expr.kind {
360 hir::ExprKind::Binary(bin_op, ..) => match bin_op.node {
364 hir::BinOpKind::Eq
365 | hir::BinOpKind::Lt
366 | hir::BinOpKind::Le
367 | hir::BinOpKind::Ne
368 | hir::BinOpKind::Ge
369 | hir::BinOpKind::Gt => Some("comparison"),
370 hir::BinOpKind::Add
371 | hir::BinOpKind::Sub
372 | hir::BinOpKind::Div
373 | hir::BinOpKind::Mul
374 | hir::BinOpKind::Rem => Some("arithmetic operation"),
375 hir::BinOpKind::And | hir::BinOpKind::Or => Some("logical operation"),
376 hir::BinOpKind::BitXor
377 | hir::BinOpKind::BitAnd
378 | hir::BinOpKind::BitOr
379 | hir::BinOpKind::Shl
380 | hir::BinOpKind::Shr => Some("bitwise operation"),
381 },
382 hir::ExprKind::AddrOf(..) => Some("borrow"),
383 hir::ExprKind::OffsetOf(..) => Some("`offset_of` call"),
384 hir::ExprKind::Unary(..) => Some("unary operation"),
385 hir::ExprKind::ConstBlock(block) => {
387 let body = cx.tcx.hir_body(block.body);
388 if let hir::ExprKind::Block(block, _) = body.value.kind
389 && let Some(expr) = block.expr
390 && let hir::ExprKind::OffsetOf(..) = expr.kind
391 {
392 Some("`offset_of` call")
393 } else {
394 None
395 }
396 }
397 _ => None,
398 };
399
400 let op_warned = match must_use_op {
401 Some(must_use_op) => {
402 let span = expr.span.find_ancestor_not_from_macro().unwrap_or(expr.span);
403 cx.emit_span_lint(
404 UNUSED_MUST_USE,
405 expr.span,
406 UnusedOp {
407 op: must_use_op,
408 label: expr.span,
409 suggestion: if expr_is_from_block {
410 UnusedOpSuggestion::BlockTailExpr {
411 before_span: span.shrink_to_lo(),
412 after_span: span.shrink_to_hi(),
413 }
414 } else {
415 UnusedOpSuggestion::NormalExpr { span: span.shrink_to_lo() }
416 },
417 },
418 );
419 true
420 }
421 None => false,
422 };
423
424 if !(type_lint_emitted_or_trivial || fn_warned || op_warned) {
426 cx.emit_span_lint(UNUSED_RESULTS, s.span, UnusedResult { ty });
427 }
428 }
429}
430
431fn check_fn_must_use(cx: &LateContext<'_>, expr: &hir::Expr<'_>, expr_is_from_block: bool) -> bool {
434 let maybe_def_id = match expr.kind {
435 hir::ExprKind::Call(callee, _) => {
436 if let hir::ExprKind::Path(ref qpath) = callee.kind
437 && let Res::Def(DefKind::Fn | DefKind::AssocFn, def_id) =
440 cx.qpath_res(qpath, callee.hir_id)
441 {
442 Some(def_id)
443 } else {
444 None
445 }
446 }
447 hir::ExprKind::MethodCall(..) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
448 _ => None,
449 };
450
451 match maybe_def_id {
452 Some(def_id) => {
453 check_must_use_def(cx, def_id, expr.span, "return value of ", "", expr_is_from_block)
454 }
455 None => false,
456 }
457}
458
459fn is_def_must_use(cx: &LateContext<'_>, def_id: DefId, span: Span) -> Option<MustUsePath> {
460 {
{
'done:
{
for i in ::rustc_hir::attrs::HasAttrs::get_attrs(def_id, &cx.tcx)
{
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(MustUse { reason, .. }) => {
break 'done Some(reason);
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}
}find_attr!(cx.tcx, def_id, MustUse { reason, .. } => reason)
462 .map(|reason| MustUsePath::Def(span, def_id, *reason))
463}
464
465fn check_must_use_def(
467 cx: &LateContext<'_>,
468 def_id: DefId,
469 span: Span,
470 descr_pre_path: &str,
471 descr_post_path: &str,
472 expr_is_from_block: bool,
473) -> bool {
474 is_def_must_use(cx, def_id, span)
475 .map(|must_use_path| {
476 emit_must_use_untranslated(
477 cx,
478 &must_use_path,
479 descr_pre_path,
480 descr_post_path,
481 1,
482 false,
483 expr_is_from_block,
484 )
485 })
486 .is_some()
487}
488
489#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("emit_must_use_untranslated",
"rustc_lint::unused::must_use", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_lint/src/unused/must_use.rs"),
::tracing_core::__macro_support::Option::Some(489u32),
::tracing_core::__macro_support::Option::Some("rustc_lint::unused::must_use"),
::tracing_core::field::FieldSet::new(&["path", "descr_pre",
"descr_post", "plural_len", "is_inner",
"expr_is_from_block"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&path)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&descr_pre as
&dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&descr_post as
&dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&plural_len as
&dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&is_inner as
&dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&expr_is_from_block
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let plural_suffix = if plural_len == 1 { "" } else { "s" };
match path {
MustUsePath::Boxed(path) => {
let descr_pre =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}boxed ", descr_pre))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::Pinned(path) => {
let descr_pre =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}pinned ", descr_pre))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::Opaque(path) => {
let descr_pre =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}implementer{1} of ",
descr_pre, plural_suffix))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::TraitObject(path) => {
let descr_post =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" trait object{0}{1}",
plural_suffix, descr_post))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::TupleElement(elems) => {
for (index, path) in elems {
let descr_post =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" in tuple element {0}",
index))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
}
MustUsePath::Result(path) => {
let descr_post =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" in a `Result` with an uninhabited error{0}",
descr_post))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::ControlFlow(path) => {
let descr_post =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" in a `ControlFlow` with an uninhabited break {0}",
descr_post))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len, true, expr_is_from_block);
}
MustUsePath::Array(path, len) => {
let descr_pre =
&::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}array{1} of ",
descr_pre, plural_suffix))
});
emit_must_use_untranslated(cx, path, descr_pre, descr_post,
plural_len.saturating_add(usize::try_from(*len).unwrap_or(usize::MAX)),
true, expr_is_from_block);
}
MustUsePath::Closure(span) => {
cx.emit_span_lint(UNUSED_MUST_USE, *span,
UnusedClosure {
count: plural_len,
pre: descr_pre,
post: descr_post,
});
}
MustUsePath::Coroutine(span) => {
cx.emit_span_lint(UNUSED_MUST_USE, *span,
UnusedCoroutine {
count: plural_len,
pre: descr_pre,
post: descr_post,
});
}
MustUsePath::Def(span, def_id, reason) => {
let ancenstor_span =
span.find_ancestor_not_from_macro().unwrap_or(*span);
let is_redundant_let_ignore =
cx.sess().source_map().span_to_prev_source(ancenstor_span).ok().map(|prev|
prev.trim_end().ends_with("let _ =")).unwrap_or(false);
let suggestion_span =
if is_redundant_let_ignore {
*span
} else { ancenstor_span };
cx.emit_span_lint(UNUSED_MUST_USE, ancenstor_span,
UnusedDef {
pre: descr_pre,
post: descr_post,
cx,
def_id: *def_id,
note: *reason,
suggestion: (!is_inner).then_some(if expr_is_from_block {
UnusedDefSuggestion::BlockTailExpr {
before_span: suggestion_span.shrink_to_lo(),
after_span: suggestion_span.shrink_to_hi(),
}
} else {
UnusedDefSuggestion::NormalExpr {
span: suggestion_span.shrink_to_lo(),
}
}),
});
}
}
}
}
}#[instrument(skip(cx), level = "debug")]
490fn emit_must_use_untranslated(
491 cx: &LateContext<'_>,
492 path: &MustUsePath,
493 descr_pre: &str,
494 descr_post: &str,
495 plural_len: usize,
496 is_inner: bool,
497 expr_is_from_block: bool,
498) {
499 let plural_suffix = pluralize!(plural_len);
500
501 match path {
502 MustUsePath::Boxed(path) => {
503 let descr_pre = &format!("{descr_pre}boxed ");
504 emit_must_use_untranslated(
505 cx,
506 path,
507 descr_pre,
508 descr_post,
509 plural_len,
510 true,
511 expr_is_from_block,
512 );
513 }
514 MustUsePath::Pinned(path) => {
515 let descr_pre = &format!("{descr_pre}pinned ");
516 emit_must_use_untranslated(
517 cx,
518 path,
519 descr_pre,
520 descr_post,
521 plural_len,
522 true,
523 expr_is_from_block,
524 );
525 }
526 MustUsePath::Opaque(path) => {
527 let descr_pre = &format!("{descr_pre}implementer{plural_suffix} of ");
528 emit_must_use_untranslated(
529 cx,
530 path,
531 descr_pre,
532 descr_post,
533 plural_len,
534 true,
535 expr_is_from_block,
536 );
537 }
538 MustUsePath::TraitObject(path) => {
539 let descr_post = &format!(" trait object{plural_suffix}{descr_post}");
540 emit_must_use_untranslated(
541 cx,
542 path,
543 descr_pre,
544 descr_post,
545 plural_len,
546 true,
547 expr_is_from_block,
548 );
549 }
550 MustUsePath::TupleElement(elems) => {
551 for (index, path) in elems {
552 let descr_post = &format!(" in tuple element {index}");
553 emit_must_use_untranslated(
554 cx,
555 path,
556 descr_pre,
557 descr_post,
558 plural_len,
559 true,
560 expr_is_from_block,
561 );
562 }
563 }
564 MustUsePath::Result(path) => {
565 let descr_post = &format!(" in a `Result` with an uninhabited error{descr_post}");
566 emit_must_use_untranslated(
567 cx,
568 path,
569 descr_pre,
570 descr_post,
571 plural_len,
572 true,
573 expr_is_from_block,
574 );
575 }
576 MustUsePath::ControlFlow(path) => {
577 let descr_post = &format!(" in a `ControlFlow` with an uninhabited break {descr_post}");
578 emit_must_use_untranslated(
579 cx,
580 path,
581 descr_pre,
582 descr_post,
583 plural_len,
584 true,
585 expr_is_from_block,
586 );
587 }
588 MustUsePath::Array(path, len) => {
589 let descr_pre = &format!("{descr_pre}array{plural_suffix} of ");
590 emit_must_use_untranslated(
591 cx,
592 path,
593 descr_pre,
594 descr_post,
595 plural_len.saturating_add(usize::try_from(*len).unwrap_or(usize::MAX)),
596 true,
597 expr_is_from_block,
598 );
599 }
600 MustUsePath::Closure(span) => {
601 cx.emit_span_lint(
602 UNUSED_MUST_USE,
603 *span,
604 UnusedClosure { count: plural_len, pre: descr_pre, post: descr_post },
605 );
606 }
607 MustUsePath::Coroutine(span) => {
608 cx.emit_span_lint(
609 UNUSED_MUST_USE,
610 *span,
611 UnusedCoroutine { count: plural_len, pre: descr_pre, post: descr_post },
612 );
613 }
614 MustUsePath::Def(span, def_id, reason) => {
615 let ancenstor_span = span.find_ancestor_not_from_macro().unwrap_or(*span);
616 let is_redundant_let_ignore = cx
617 .sess()
618 .source_map()
619 .span_to_prev_source(ancenstor_span)
620 .ok()
621 .map(|prev| prev.trim_end().ends_with("let _ ="))
622 .unwrap_or(false);
623 let suggestion_span = if is_redundant_let_ignore { *span } else { ancenstor_span };
624 cx.emit_span_lint(
625 UNUSED_MUST_USE,
626 ancenstor_span,
627 UnusedDef {
628 pre: descr_pre,
629 post: descr_post,
630 cx,
631 def_id: *def_id,
632 note: *reason,
633 suggestion: (!is_inner).then_some(if expr_is_from_block {
634 UnusedDefSuggestion::BlockTailExpr {
635 before_span: suggestion_span.shrink_to_lo(),
636 after_span: suggestion_span.shrink_to_hi(),
637 }
638 } else {
639 UnusedDefSuggestion::NormalExpr { span: suggestion_span.shrink_to_lo() }
640 }),
641 },
642 );
643 }
644 }
645}