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::AliasTy {
208 kind: ty::Opaque { def_id: def } | ty::Projection { def_id: def },
209 ..
210 }) => {
211 elaborate(cx.tcx, cx.tcx.explicit_item_self_bounds(def).iter_identity_copied())
212 .filter_only_self()
214 .find_map(|(pred, _span)| {
215 if let ty::ClauseKind::Trait(ref poly_trait_predicate) =
217 pred.kind().skip_binder()
218 {
219 let def_id = poly_trait_predicate.trait_ref.def_id;
220
221 is_def_must_use(cx, def_id, expr.span)
222 } else {
223 None
224 }
225 })
226 .map(|inner| MustUsePath::Opaque(Box::new(inner)))
227 .map_or(IsTyMustUse::No, IsTyMustUse::Yes)
228 }
229 ty::Dynamic(binders, _) => binders
230 .iter()
231 .find_map(|predicate| {
232 if let ty::ExistentialPredicate::Trait(ref trait_ref) = predicate.skip_binder() {
233 let def_id = trait_ref.def_id;
234 is_def_must_use(cx, def_id, expr.span)
235 .map(|inner| MustUsePath::TraitObject(Box::new(inner)))
236 } else {
237 None
238 }
239 })
240 .map_or(IsTyMustUse::No, IsTyMustUse::Yes),
241 ty::Tuple(tys) => {
243 let elem_exprs = if let hir::ExprKind::Tup(elem_exprs) = expr.kind {
244 debug_assert_eq!(elem_exprs.len(), tys.len());
245 elem_exprs
246 } else {
247 &[]
248 };
249
250 let elem_exprs = elem_exprs.iter().chain(iter::repeat(expr));
252
253 let mut all_trivial = true;
254 let mut nested_must_use = Vec::new();
255
256 tys.iter().zip(elem_exprs).enumerate().for_each(|(i, (ty, expr))| {
257 let must_use = is_ty_must_use(cx, ty, expr, simplify_uninhabited);
258
259 all_trivial &= matches!(must_use, IsTyMustUse::Trivial);
260 if let IsTyMustUse::Yes(path) = must_use {
261 nested_must_use.push((i, path));
262 }
263 });
264
265 if all_trivial {
266 IsTyMustUse::Trivial
269 } else if !nested_must_use.is_empty() {
270 IsTyMustUse::Yes(MustUsePath::TupleElement(nested_must_use))
271 } else {
272 IsTyMustUse::No
273 }
274 }
275 ty::Array(ty, len) => match len.try_to_target_usize(cx.tcx) {
276 Some(0) | None => IsTyMustUse::No,
278 Some(len) => is_ty_must_use(cx, ty, expr, simplify_uninhabited)
280 .map(|inner| MustUsePath::Array(Box::new(inner), len)),
281 },
282 ty::Closure(..) | ty::CoroutineClosure(..) => {
283 IsTyMustUse::Yes(MustUsePath::Closure(expr.span))
284 }
285 ty::Coroutine(def_id, ..) => {
286 if cx.tcx.coroutine_is_async(def_id)
288 && let Some(def_id) = cx.tcx.lang_items().future_trait()
289 {
290 IsTyMustUse::Yes(MustUsePath::Opaque(Box::new(
291 is_def_must_use(cx, def_id, expr.span)
292 .expect("future trait is marked as `#[must_use]`"),
293 )))
294 } else {
295 IsTyMustUse::Yes(MustUsePath::Coroutine(expr.span))
296 }
297 }
298 _ => IsTyMustUse::No,
299 }
300}
301
302impl<'tcx> LateLintPass<'tcx> for UnusedResults {
303 fn check_stmt(&mut self, cx: &LateContext<'_>, s: &hir::Stmt<'_>) {
304 let hir::StmtKind::Semi(mut expr) = s.kind else {
305 return;
306 };
307
308 let mut expr_is_from_block = false;
309 while let hir::ExprKind::Block(blk, ..) = expr.kind
310 && let hir::Block { expr: Some(e), .. } = blk
311 {
312 expr = e;
313 expr_is_from_block = true;
314 }
315
316 if let hir::ExprKind::Ret(..) = expr.kind {
317 return;
318 }
319
320 if let hir::ExprKind::Match(await_expr, _arms, hir::MatchSource::AwaitDesugar) = expr.kind
321 && let ty = cx.typeck_results().expr_ty(await_expr)
322 && let ty::Alias(ty::AliasTy { kind: ty::Opaque { def_id: future_def_id }, .. }) = ty.kind()
323 && cx.tcx.ty_is_opaque_future(ty)
324 && let async_fn_def_id = cx.tcx.parent(*future_def_id)
325 && #[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)
326 && cx.tcx.asyncness(async_fn_def_id).is_async()
328 && check_must_use_def(
329 cx,
330 async_fn_def_id,
331 expr.span,
332 "output of future returned by ",
333 "",
334 expr_is_from_block,
335 )
336 {
337 return;
340 }
341
342 let ty = cx.typeck_results().expr_ty(expr);
343
344 let must_use_result = is_ty_must_use(cx, ty, expr, false);
345 let type_lint_emitted_or_trivial = match must_use_result {
346 IsTyMustUse::Yes(path) => {
347 emit_must_use_untranslated(cx, &path, "", "", 1, false, expr_is_from_block);
348 true
349 }
350 IsTyMustUse::Trivial => true,
351 IsTyMustUse::No => false,
352 };
353
354 let fn_warned = check_fn_must_use(cx, expr, expr_is_from_block);
355
356 if !fn_warned && type_lint_emitted_or_trivial {
357 return;
360 }
361
362 let must_use_op = match expr.kind {
363 hir::ExprKind::Binary(bin_op, ..) => match bin_op.node {
367 hir::BinOpKind::Eq
368 | hir::BinOpKind::Lt
369 | hir::BinOpKind::Le
370 | hir::BinOpKind::Ne
371 | hir::BinOpKind::Ge
372 | hir::BinOpKind::Gt => Some("comparison"),
373 hir::BinOpKind::Add
374 | hir::BinOpKind::Sub
375 | hir::BinOpKind::Div
376 | hir::BinOpKind::Mul
377 | hir::BinOpKind::Rem => Some("arithmetic operation"),
378 hir::BinOpKind::And | hir::BinOpKind::Or => Some("logical operation"),
379 hir::BinOpKind::BitXor
380 | hir::BinOpKind::BitAnd
381 | hir::BinOpKind::BitOr
382 | hir::BinOpKind::Shl
383 | hir::BinOpKind::Shr => Some("bitwise operation"),
384 },
385 hir::ExprKind::AddrOf(..) => Some("borrow"),
386 hir::ExprKind::OffsetOf(..) => Some("`offset_of` call"),
387 hir::ExprKind::Unary(..) => Some("unary operation"),
388 hir::ExprKind::ConstBlock(block) => {
390 let body = cx.tcx.hir_body(block.body);
391 if let hir::ExprKind::Block(block, _) = body.value.kind
392 && let Some(expr) = block.expr
393 && let hir::ExprKind::OffsetOf(..) = expr.kind
394 {
395 Some("`offset_of` call")
396 } else {
397 None
398 }
399 }
400 _ => None,
401 };
402
403 let op_warned = match must_use_op {
404 Some(must_use_op) => {
405 let span = expr.span.find_ancestor_not_from_macro().unwrap_or(expr.span);
406 cx.emit_span_lint(
407 UNUSED_MUST_USE,
408 expr.span,
409 UnusedOp {
410 op: must_use_op,
411 label: expr.span,
412 suggestion: if expr_is_from_block {
413 UnusedOpSuggestion::BlockTailExpr {
414 before_span: span.shrink_to_lo(),
415 after_span: span.shrink_to_hi(),
416 }
417 } else {
418 UnusedOpSuggestion::NormalExpr { span: span.shrink_to_lo() }
419 },
420 },
421 );
422 true
423 }
424 None => false,
425 };
426
427 if !(type_lint_emitted_or_trivial || fn_warned || op_warned) {
429 cx.emit_span_lint(UNUSED_RESULTS, s.span, UnusedResult { ty });
430 }
431 }
432}
433
434fn check_fn_must_use(cx: &LateContext<'_>, expr: &hir::Expr<'_>, expr_is_from_block: bool) -> bool {
437 let maybe_def_id = match expr.kind {
438 hir::ExprKind::Call(callee, _) => {
439 if let hir::ExprKind::Path(ref qpath) = callee.kind
440 && let Res::Def(DefKind::Fn | DefKind::AssocFn, def_id) =
443 cx.qpath_res(qpath, callee.hir_id)
444 {
445 Some(def_id)
446 } else {
447 None
448 }
449 }
450 hir::ExprKind::MethodCall(..) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
451 _ => None,
452 };
453
454 match maybe_def_id {
455 Some(def_id) => {
456 check_must_use_def(cx, def_id, expr.span, "return value of ", "", expr_is_from_block)
457 }
458 None => false,
459 }
460}
461
462fn is_def_must_use(cx: &LateContext<'_>, def_id: DefId, span: Span) -> Option<MustUsePath> {
463 {
{
'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)
465 .map(|reason| MustUsePath::Def(span, def_id, *reason))
466}
467
468fn check_must_use_def(
470 cx: &LateContext<'_>,
471 def_id: DefId,
472 span: Span,
473 descr_pre_path: &str,
474 descr_post_path: &str,
475 expr_is_from_block: bool,
476) -> bool {
477 is_def_must_use(cx, def_id, span)
478 .map(|must_use_path| {
479 emit_must_use_untranslated(
480 cx,
481 &must_use_path,
482 descr_pre_path,
483 descr_post_path,
484 1,
485 false,
486 expr_is_from_block,
487 )
488 })
489 .is_some()
490}
491
492#[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(492u32),
::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")]
493fn emit_must_use_untranslated(
494 cx: &LateContext<'_>,
495 path: &MustUsePath,
496 descr_pre: &str,
497 descr_post: &str,
498 plural_len: usize,
499 is_inner: bool,
500 expr_is_from_block: bool,
501) {
502 let plural_suffix = pluralize!(plural_len);
503
504 match path {
505 MustUsePath::Boxed(path) => {
506 let descr_pre = &format!("{descr_pre}boxed ");
507 emit_must_use_untranslated(
508 cx,
509 path,
510 descr_pre,
511 descr_post,
512 plural_len,
513 true,
514 expr_is_from_block,
515 );
516 }
517 MustUsePath::Pinned(path) => {
518 let descr_pre = &format!("{descr_pre}pinned ");
519 emit_must_use_untranslated(
520 cx,
521 path,
522 descr_pre,
523 descr_post,
524 plural_len,
525 true,
526 expr_is_from_block,
527 );
528 }
529 MustUsePath::Opaque(path) => {
530 let descr_pre = &format!("{descr_pre}implementer{plural_suffix} of ");
531 emit_must_use_untranslated(
532 cx,
533 path,
534 descr_pre,
535 descr_post,
536 plural_len,
537 true,
538 expr_is_from_block,
539 );
540 }
541 MustUsePath::TraitObject(path) => {
542 let descr_post = &format!(" trait object{plural_suffix}{descr_post}");
543 emit_must_use_untranslated(
544 cx,
545 path,
546 descr_pre,
547 descr_post,
548 plural_len,
549 true,
550 expr_is_from_block,
551 );
552 }
553 MustUsePath::TupleElement(elems) => {
554 for (index, path) in elems {
555 let descr_post = &format!(" in tuple element {index}");
556 emit_must_use_untranslated(
557 cx,
558 path,
559 descr_pre,
560 descr_post,
561 plural_len,
562 true,
563 expr_is_from_block,
564 );
565 }
566 }
567 MustUsePath::Result(path) => {
568 let descr_post = &format!(" in a `Result` with an uninhabited error{descr_post}");
569 emit_must_use_untranslated(
570 cx,
571 path,
572 descr_pre,
573 descr_post,
574 plural_len,
575 true,
576 expr_is_from_block,
577 );
578 }
579 MustUsePath::ControlFlow(path) => {
580 let descr_post = &format!(" in a `ControlFlow` with an uninhabited break {descr_post}");
581 emit_must_use_untranslated(
582 cx,
583 path,
584 descr_pre,
585 descr_post,
586 plural_len,
587 true,
588 expr_is_from_block,
589 );
590 }
591 MustUsePath::Array(path, len) => {
592 let descr_pre = &format!("{descr_pre}array{plural_suffix} of ");
593 emit_must_use_untranslated(
594 cx,
595 path,
596 descr_pre,
597 descr_post,
598 plural_len.saturating_add(usize::try_from(*len).unwrap_or(usize::MAX)),
599 true,
600 expr_is_from_block,
601 );
602 }
603 MustUsePath::Closure(span) => {
604 cx.emit_span_lint(
605 UNUSED_MUST_USE,
606 *span,
607 UnusedClosure { count: plural_len, pre: descr_pre, post: descr_post },
608 );
609 }
610 MustUsePath::Coroutine(span) => {
611 cx.emit_span_lint(
612 UNUSED_MUST_USE,
613 *span,
614 UnusedCoroutine { count: plural_len, pre: descr_pre, post: descr_post },
615 );
616 }
617 MustUsePath::Def(span, def_id, reason) => {
618 let ancenstor_span = span.find_ancestor_not_from_macro().unwrap_or(*span);
619 let is_redundant_let_ignore = cx
620 .sess()
621 .source_map()
622 .span_to_prev_source(ancenstor_span)
623 .ok()
624 .map(|prev| prev.trim_end().ends_with("let _ ="))
625 .unwrap_or(false);
626 let suggestion_span = if is_redundant_let_ignore { *span } else { ancenstor_span };
627 cx.emit_span_lint(
628 UNUSED_MUST_USE,
629 ancenstor_span,
630 UnusedDef {
631 pre: descr_pre,
632 post: descr_post,
633 cx,
634 def_id: *def_id,
635 note: *reason,
636 suggestion: (!is_inner).then_some(if expr_is_from_block {
637 UnusedDefSuggestion::BlockTailExpr {
638 before_span: suggestion_span.shrink_to_lo(),
639 after_span: suggestion_span.shrink_to_hi(),
640 }
641 } else {
642 UnusedDefSuggestion::NormalExpr { span: suggestion_span.shrink_to_lo() }
643 }),
644 },
645 );
646 }
647 }
648}