]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_lint/src/unused.rs
Preparing for merge from rustc
[rust.git] / compiler / rustc_lint / src / unused.rs
1 use crate::Lint;
2 use crate::{EarlyContext, EarlyLintPass, LateContext, LateLintPass, LintContext};
3 use rustc_ast as ast;
4 use rustc_ast::util::{classify, parser};
5 use rustc_ast::{ExprKind, StmtKind};
6 use rustc_errors::{fluent, pluralize, Applicability, MultiSpan};
7 use rustc_hir as hir;
8 use rustc_hir::def::{DefKind, Res};
9 use rustc_hir::def_id::DefId;
10 use rustc_infer::traits::util::elaborate_predicates_with_span;
11 use rustc_middle::ty::adjustment;
12 use rustc_middle::ty::{self, DefIdTree, Ty};
13 use rustc_span::symbol::Symbol;
14 use rustc_span::symbol::{kw, sym};
15 use rustc_span::{BytePos, Span};
16 use std::iter;
17
18 declare_lint! {
19     /// The `unused_must_use` lint detects unused result of a type flagged as
20     /// `#[must_use]`.
21     ///
22     /// ### Example
23     ///
24     /// ```rust
25     /// fn returns_result() -> Result<(), ()> {
26     ///     Ok(())
27     /// }
28     ///
29     /// fn main() {
30     ///     returns_result();
31     /// }
32     /// ```
33     ///
34     /// {{produces}}
35     ///
36     /// ### Explanation
37     ///
38     /// The `#[must_use]` attribute is an indicator that it is a mistake to
39     /// ignore the value. See [the reference] for more details.
40     ///
41     /// [the reference]: https://doc.rust-lang.org/reference/attributes/diagnostics.html#the-must_use-attribute
42     pub UNUSED_MUST_USE,
43     Warn,
44     "unused result of a type flagged as `#[must_use]`",
45     report_in_external_macro
46 }
47
48 declare_lint! {
49     /// The `unused_results` lint checks for the unused result of an
50     /// expression in a statement.
51     ///
52     /// ### Example
53     ///
54     /// ```rust,compile_fail
55     /// #![deny(unused_results)]
56     /// fn foo<T>() -> T { panic!() }
57     ///
58     /// fn main() {
59     ///     foo::<usize>();
60     /// }
61     /// ```
62     ///
63     /// {{produces}}
64     ///
65     /// ### Explanation
66     ///
67     /// Ignoring the return value of a function may indicate a mistake. In
68     /// cases were it is almost certain that the result should be used, it is
69     /// recommended to annotate the function with the [`must_use` attribute].
70     /// Failure to use such a return value will trigger the [`unused_must_use`
71     /// lint] which is warn-by-default. The `unused_results` lint is
72     /// essentially the same, but triggers for *all* return values.
73     ///
74     /// This lint is "allow" by default because it can be noisy, and may not be
75     /// an actual problem. For example, calling the `remove` method of a `Vec`
76     /// or `HashMap` returns the previous value, which you may not care about.
77     /// Using this lint would require explicitly ignoring or discarding such
78     /// values.
79     ///
80     /// [`must_use` attribute]: https://doc.rust-lang.org/reference/attributes/diagnostics.html#the-must_use-attribute
81     /// [`unused_must_use` lint]: warn-by-default.html#unused-must-use
82     pub UNUSED_RESULTS,
83     Allow,
84     "unused result of an expression in a statement"
85 }
86
87 declare_lint_pass!(UnusedResults => [UNUSED_MUST_USE, UNUSED_RESULTS]);
88
89 impl<'tcx> LateLintPass<'tcx> for UnusedResults {
90     fn check_stmt(&mut self, cx: &LateContext<'_>, s: &hir::Stmt<'_>) {
91         let hir::StmtKind::Semi(expr) = s.kind else { return; };
92
93         if let hir::ExprKind::Ret(..) = expr.kind {
94             return;
95         }
96
97         if let hir::ExprKind::Match(await_expr, _arms, hir::MatchSource::AwaitDesugar) = expr.kind
98             && let ty = cx.typeck_results().expr_ty(&await_expr)
99             && let ty::Alias(ty::Opaque, ty::AliasTy { def_id: future_def_id, .. }) = ty.kind()
100             && cx.tcx.ty_is_opaque_future(ty)
101             // FIXME: This also includes non-async fns that return `impl Future`.
102             && let async_fn_def_id = cx.tcx.parent(*future_def_id)
103             && check_must_use_def(
104                 cx,
105                 async_fn_def_id,
106                 expr.span,
107                 "output of future returned by ",
108                 "",
109             )
110         {
111             // We have a bare `foo().await;` on an opaque type from an async function that was
112             // annotated with `#[must_use]`.
113             return;
114         }
115
116         let ty = cx.typeck_results().expr_ty(&expr);
117
118         let must_use_result = is_ty_must_use(cx, ty, &expr, expr.span);
119         let type_lint_emitted_or_suppressed = match must_use_result {
120             Some(path) => {
121                 emit_must_use_untranslated(cx, &path, "", "", 1);
122                 true
123             }
124             None => false,
125         };
126
127         let fn_warned = check_fn_must_use(cx, expr);
128
129         if !fn_warned && type_lint_emitted_or_suppressed {
130             // We don't warn about unused unit or uninhabited types.
131             // (See https://github.com/rust-lang/rust/issues/43806 for details.)
132             return;
133         }
134
135         let must_use_op = match expr.kind {
136             // Hardcoding operators here seemed more expedient than the
137             // refactoring that would be needed to look up the `#[must_use]`
138             // attribute which does exist on the comparison trait methods
139             hir::ExprKind::Binary(bin_op, ..) => match bin_op.node {
140                 hir::BinOpKind::Eq
141                 | hir::BinOpKind::Lt
142                 | hir::BinOpKind::Le
143                 | hir::BinOpKind::Ne
144                 | hir::BinOpKind::Ge
145                 | hir::BinOpKind::Gt => Some("comparison"),
146                 hir::BinOpKind::Add
147                 | hir::BinOpKind::Sub
148                 | hir::BinOpKind::Div
149                 | hir::BinOpKind::Mul
150                 | hir::BinOpKind::Rem => Some("arithmetic operation"),
151                 hir::BinOpKind::And | hir::BinOpKind::Or => Some("logical operation"),
152                 hir::BinOpKind::BitXor
153                 | hir::BinOpKind::BitAnd
154                 | hir::BinOpKind::BitOr
155                 | hir::BinOpKind::Shl
156                 | hir::BinOpKind::Shr => Some("bitwise operation"),
157             },
158             hir::ExprKind::AddrOf(..) => Some("borrow"),
159             hir::ExprKind::Unary(..) => Some("unary operation"),
160             _ => None,
161         };
162
163         let mut op_warned = false;
164
165         if let Some(must_use_op) = must_use_op {
166             cx.struct_span_lint(UNUSED_MUST_USE, expr.span, fluent::lint_unused_op, |lint| {
167                 lint.set_arg("op", must_use_op)
168                     .span_label(expr.span, fluent::label)
169                     .span_suggestion_verbose(
170                         expr.span.shrink_to_lo(),
171                         fluent::suggestion,
172                         "let _ = ",
173                         Applicability::MachineApplicable,
174                     )
175             });
176             op_warned = true;
177         }
178
179         if !(type_lint_emitted_or_suppressed || fn_warned || op_warned) {
180             cx.struct_span_lint(UNUSED_RESULTS, s.span, fluent::lint_unused_result, |lint| {
181                 lint.set_arg("ty", ty)
182             });
183         }
184
185         fn check_fn_must_use(cx: &LateContext<'_>, expr: &hir::Expr<'_>) -> bool {
186             let maybe_def_id = match expr.kind {
187                 hir::ExprKind::Call(ref callee, _) => {
188                     match callee.kind {
189                         hir::ExprKind::Path(ref qpath) => {
190                             match cx.qpath_res(qpath, callee.hir_id) {
191                                 Res::Def(DefKind::Fn | DefKind::AssocFn, def_id) => Some(def_id),
192                                 // `Res::Local` if it was a closure, for which we
193                                 // do not currently support must-use linting
194                                 _ => None,
195                             }
196                         }
197                         _ => None,
198                     }
199                 }
200                 hir::ExprKind::MethodCall(..) => {
201                     cx.typeck_results().type_dependent_def_id(expr.hir_id)
202                 }
203                 _ => None,
204             };
205             if let Some(def_id) = maybe_def_id {
206                 check_must_use_def(cx, def_id, expr.span, "return value of ", "")
207             } else {
208                 false
209             }
210         }
211
212         /// A path through a type to a must_use source. Contains useful info for the lint.
213         #[derive(Debug)]
214         enum MustUsePath {
215             /// Suppress must_use checking.
216             Suppressed,
217             /// The root of the normal must_use lint with an optional message.
218             Def(Span, DefId, Option<Symbol>),
219             Boxed(Box<Self>),
220             Opaque(Box<Self>),
221             TraitObject(Box<Self>),
222             TupleElement(Vec<(usize, Self)>),
223             Array(Box<Self>, u64),
224             /// The root of the unused_closures lint.
225             Closure(Span),
226             /// The root of the unused_generators lint.
227             Generator(Span),
228         }
229
230         #[instrument(skip(cx, expr), level = "debug", ret)]
231         fn is_ty_must_use<'tcx>(
232             cx: &LateContext<'tcx>,
233             ty: Ty<'tcx>,
234             expr: &hir::Expr<'_>,
235             span: Span,
236         ) -> Option<MustUsePath> {
237             if ty.is_unit()
238                 || !ty.is_inhabited_from(
239                     cx.tcx,
240                     cx.tcx.parent_module(expr.hir_id).to_def_id(),
241                     cx.param_env,
242                 )
243             {
244                 return Some(MustUsePath::Suppressed);
245             }
246
247             match *ty.kind() {
248                 ty::Adt(..) if ty.is_box() => {
249                     let boxed_ty = ty.boxed_ty();
250                     is_ty_must_use(cx, boxed_ty, expr, span)
251                         .map(|inner| MustUsePath::Boxed(Box::new(inner)))
252                 }
253                 ty::Adt(def, _) => is_def_must_use(cx, def.did(), span),
254                 ty::Alias(ty::Opaque, ty::AliasTy { def_id: def, .. }) => {
255                     elaborate_predicates_with_span(
256                         cx.tcx,
257                         cx.tcx.explicit_item_bounds(def).iter().cloned(),
258                     )
259                     .filter_map(|obligation| {
260                         // We only look at the `DefId`, so it is safe to skip the binder here.
261                         if let ty::PredicateKind::Clause(ty::Clause::Trait(
262                             ref poly_trait_predicate,
263                         )) = obligation.predicate.kind().skip_binder()
264                         {
265                             let def_id = poly_trait_predicate.trait_ref.def_id;
266
267                             is_def_must_use(cx, def_id, span)
268                         } else {
269                             None
270                         }
271                     })
272                     .map(|inner| MustUsePath::Opaque(Box::new(inner)))
273                     .next()
274                 }
275                 ty::Dynamic(binders, _, _) => binders
276                     .iter()
277                     .filter_map(|predicate| {
278                         if let ty::ExistentialPredicate::Trait(ref trait_ref) =
279                             predicate.skip_binder()
280                         {
281                             let def_id = trait_ref.def_id;
282                             is_def_must_use(cx, def_id, span)
283                         } else {
284                             None
285                         }
286                         .map(|inner| MustUsePath::TraitObject(Box::new(inner)))
287                     })
288                     .next(),
289                 ty::Tuple(tys) => {
290                     let elem_exprs = if let hir::ExprKind::Tup(elem_exprs) = expr.kind {
291                         debug_assert_eq!(elem_exprs.len(), tys.len());
292                         elem_exprs
293                     } else {
294                         &[]
295                     };
296
297                     // Default to `expr`.
298                     let elem_exprs = elem_exprs.iter().chain(iter::repeat(expr));
299
300                     let nested_must_use = tys
301                         .iter()
302                         .zip(elem_exprs)
303                         .enumerate()
304                         .filter_map(|(i, (ty, expr))| {
305                             is_ty_must_use(cx, ty, expr, expr.span).map(|path| (i, path))
306                         })
307                         .collect::<Vec<_>>();
308
309                     if !nested_must_use.is_empty() {
310                         Some(MustUsePath::TupleElement(nested_must_use))
311                     } else {
312                         None
313                     }
314                 }
315                 ty::Array(ty, len) => match len.try_eval_usize(cx.tcx, cx.param_env) {
316                     // If the array is empty we don't lint, to avoid false positives
317                     Some(0) | None => None,
318                     // If the array is definitely non-empty, we can do `#[must_use]` checking.
319                     Some(len) => is_ty_must_use(cx, ty, expr, span)
320                         .map(|inner| MustUsePath::Array(Box::new(inner), len)),
321                 },
322                 ty::Closure(..) => Some(MustUsePath::Closure(span)),
323                 ty::Generator(def_id, ..) => {
324                     // async fn should be treated as "implementor of `Future`"
325                     let must_use = if cx.tcx.generator_is_async(def_id) {
326                         let def_id = cx.tcx.lang_items().future_trait().unwrap();
327                         is_def_must_use(cx, def_id, span)
328                             .map(|inner| MustUsePath::Opaque(Box::new(inner)))
329                     } else {
330                         None
331                     };
332                     must_use.or(Some(MustUsePath::Generator(span)))
333                 }
334                 _ => None,
335             }
336         }
337
338         fn is_def_must_use(cx: &LateContext<'_>, def_id: DefId, span: Span) -> Option<MustUsePath> {
339             if let Some(attr) = cx.tcx.get_attr(def_id, sym::must_use) {
340                 // check for #[must_use = "..."]
341                 let reason = attr.value_str();
342                 Some(MustUsePath::Def(span, def_id, reason))
343             } else {
344                 None
345             }
346         }
347
348         // Returns whether further errors should be suppressed because either a lint has been emitted or the type should be ignored.
349         fn check_must_use_def(
350             cx: &LateContext<'_>,
351             def_id: DefId,
352             span: Span,
353             descr_pre_path: &str,
354             descr_post_path: &str,
355         ) -> bool {
356             is_def_must_use(cx, def_id, span)
357                 .map(|must_use_path| {
358                     emit_must_use_untranslated(
359                         cx,
360                         &must_use_path,
361                         descr_pre_path,
362                         descr_post_path,
363                         1,
364                     )
365                 })
366                 .is_some()
367         }
368
369         #[instrument(skip(cx), level = "debug")]
370         fn emit_must_use_untranslated(
371             cx: &LateContext<'_>,
372             path: &MustUsePath,
373             descr_pre: &str,
374             descr_post: &str,
375             plural_len: usize,
376         ) {
377             let plural_suffix = pluralize!(plural_len);
378
379             match path {
380                 MustUsePath::Suppressed => {}
381                 MustUsePath::Boxed(path) => {
382                     let descr_pre = &format!("{}boxed ", descr_pre);
383                     emit_must_use_untranslated(cx, path, descr_pre, descr_post, plural_len);
384                 }
385                 MustUsePath::Opaque(path) => {
386                     let descr_pre = &format!("{}implementer{} of ", descr_pre, plural_suffix);
387                     emit_must_use_untranslated(cx, path, descr_pre, descr_post, plural_len);
388                 }
389                 MustUsePath::TraitObject(path) => {
390                     let descr_post = &format!(" trait object{}{}", plural_suffix, descr_post);
391                     emit_must_use_untranslated(cx, path, descr_pre, descr_post, plural_len);
392                 }
393                 MustUsePath::TupleElement(elems) => {
394                     for (index, path) in elems {
395                         let descr_post = &format!(" in tuple element {}", index);
396                         emit_must_use_untranslated(cx, path, descr_pre, descr_post, plural_len);
397                     }
398                 }
399                 MustUsePath::Array(path, len) => {
400                     let descr_pre = &format!("{}array{} of ", descr_pre, plural_suffix);
401                     emit_must_use_untranslated(
402                         cx,
403                         path,
404                         descr_pre,
405                         descr_post,
406                         plural_len.saturating_add(usize::try_from(*len).unwrap_or(usize::MAX)),
407                     );
408                 }
409                 MustUsePath::Closure(span) => {
410                     cx.struct_span_lint(
411                         UNUSED_MUST_USE,
412                         *span,
413                         fluent::lint_unused_closure,
414                         |lint| {
415                             // FIXME(davidtwco): this isn't properly translatable because of the
416                             // pre/post strings
417                             lint.set_arg("count", plural_len)
418                                 .set_arg("pre", descr_pre)
419                                 .set_arg("post", descr_post)
420                                 .note(fluent::note)
421                         },
422                     );
423                 }
424                 MustUsePath::Generator(span) => {
425                     cx.struct_span_lint(
426                         UNUSED_MUST_USE,
427                         *span,
428                         fluent::lint_unused_generator,
429                         |lint| {
430                             // FIXME(davidtwco): this isn't properly translatable because of the
431                             // pre/post strings
432                             lint.set_arg("count", plural_len)
433                                 .set_arg("pre", descr_pre)
434                                 .set_arg("post", descr_post)
435                                 .note(fluent::note)
436                         },
437                     );
438                 }
439                 MustUsePath::Def(span, def_id, reason) => {
440                     cx.struct_span_lint(UNUSED_MUST_USE, *span, fluent::lint_unused_def, |lint| {
441                         // FIXME(davidtwco): this isn't properly translatable because of the pre/post
442                         // strings
443                         lint.set_arg("pre", descr_pre);
444                         lint.set_arg("post", descr_post);
445                         lint.set_arg("def", cx.tcx.def_path_str(*def_id));
446                         if let Some(note) = reason {
447                             lint.note(note.as_str());
448                         }
449                         lint
450                     });
451                 }
452             }
453         }
454     }
455 }
456
457 declare_lint! {
458     /// The `path_statements` lint detects path statements with no effect.
459     ///
460     /// ### Example
461     ///
462     /// ```rust
463     /// let x = 42;
464     ///
465     /// x;
466     /// ```
467     ///
468     /// {{produces}}
469     ///
470     /// ### Explanation
471     ///
472     /// It is usually a mistake to have a statement that has no effect.
473     pub PATH_STATEMENTS,
474     Warn,
475     "path statements with no effect"
476 }
477
478 declare_lint_pass!(PathStatements => [PATH_STATEMENTS]);
479
480 impl<'tcx> LateLintPass<'tcx> for PathStatements {
481     fn check_stmt(&mut self, cx: &LateContext<'_>, s: &hir::Stmt<'_>) {
482         if let hir::StmtKind::Semi(expr) = s.kind {
483             if let hir::ExprKind::Path(_) = expr.kind {
484                 let ty = cx.typeck_results().expr_ty(expr);
485                 if ty.needs_drop(cx.tcx, cx.param_env) {
486                     cx.struct_span_lint(
487                         PATH_STATEMENTS,
488                         s.span,
489                         fluent::lint_path_statement_drop,
490                         |lint| {
491                             if let Ok(snippet) = cx.sess().source_map().span_to_snippet(expr.span) {
492                                 lint.span_suggestion(
493                                     s.span,
494                                     fluent::suggestion,
495                                     format!("drop({});", snippet),
496                                     Applicability::MachineApplicable,
497                                 );
498                             } else {
499                                 lint.span_help(s.span, fluent::suggestion);
500                             }
501                             lint
502                         },
503                     );
504                 } else {
505                     cx.struct_span_lint(
506                         PATH_STATEMENTS,
507                         s.span,
508                         fluent::lint_path_statement_no_effect,
509                         |lint| lint,
510                     );
511                 }
512             }
513         }
514     }
515 }
516
517 #[derive(Copy, Clone, Debug, PartialEq, Eq)]
518 enum UnusedDelimsCtx {
519     FunctionArg,
520     MethodArg,
521     AssignedValue,
522     AssignedValueLetElse,
523     IfCond,
524     WhileCond,
525     ForIterExpr,
526     MatchScrutineeExpr,
527     ReturnValue,
528     BlockRetValue,
529     LetScrutineeExpr,
530     ArrayLenExpr,
531     AnonConst,
532     MatchArmExpr,
533 }
534
535 impl From<UnusedDelimsCtx> for &'static str {
536     fn from(ctx: UnusedDelimsCtx) -> &'static str {
537         match ctx {
538             UnusedDelimsCtx::FunctionArg => "function argument",
539             UnusedDelimsCtx::MethodArg => "method argument",
540             UnusedDelimsCtx::AssignedValue | UnusedDelimsCtx::AssignedValueLetElse => {
541                 "assigned value"
542             }
543             UnusedDelimsCtx::IfCond => "`if` condition",
544             UnusedDelimsCtx::WhileCond => "`while` condition",
545             UnusedDelimsCtx::ForIterExpr => "`for` iterator expression",
546             UnusedDelimsCtx::MatchScrutineeExpr => "`match` scrutinee expression",
547             UnusedDelimsCtx::ReturnValue => "`return` value",
548             UnusedDelimsCtx::BlockRetValue => "block return value",
549             UnusedDelimsCtx::LetScrutineeExpr => "`let` scrutinee expression",
550             UnusedDelimsCtx::ArrayLenExpr | UnusedDelimsCtx::AnonConst => "const expression",
551             UnusedDelimsCtx::MatchArmExpr => "match arm expression",
552         }
553     }
554 }
555
556 /// Used by both `UnusedParens` and `UnusedBraces` to prevent code duplication.
557 trait UnusedDelimLint {
558     const DELIM_STR: &'static str;
559
560     /// Due to `ref` pattern, there can be a difference between using
561     /// `{ expr }` and `expr` in pattern-matching contexts. This means
562     /// that we should only lint `unused_parens` and not `unused_braces`
563     /// in this case.
564     ///
565     /// ```rust
566     /// let mut a = 7;
567     /// let ref b = { a }; // We actually borrow a copy of `a` here.
568     /// a += 1; // By mutating `a` we invalidate any borrows of `a`.
569     /// assert_eq!(b + 1, a); // `b` does not borrow `a`, so we can still use it here.
570     /// ```
571     const LINT_EXPR_IN_PATTERN_MATCHING_CTX: bool;
572
573     // this cannot be a constant is it refers to a static.
574     fn lint(&self) -> &'static Lint;
575
576     fn check_unused_delims_expr(
577         &self,
578         cx: &EarlyContext<'_>,
579         value: &ast::Expr,
580         ctx: UnusedDelimsCtx,
581         followed_by_block: bool,
582         left_pos: Option<BytePos>,
583         right_pos: Option<BytePos>,
584     );
585
586     fn is_expr_delims_necessary(
587         inner: &ast::Expr,
588         followed_by_block: bool,
589         followed_by_else: bool,
590     ) -> bool {
591         if followed_by_else {
592             match inner.kind {
593                 ast::ExprKind::Binary(op, ..) if op.node.lazy() => return true,
594                 _ if classify::expr_trailing_brace(inner).is_some() => return true,
595                 _ => {}
596             }
597         }
598
599         // Prevent false-positives in cases like `fn x() -> u8 { ({ 0 } + 1) }`
600         let lhs_needs_parens = {
601             let mut innermost = inner;
602             loop {
603                 innermost = match &innermost.kind {
604                     ExprKind::Binary(_, lhs, _rhs) => lhs,
605                     ExprKind::Call(fn_, _params) => fn_,
606                     ExprKind::Cast(expr, _ty) => expr,
607                     ExprKind::Type(expr, _ty) => expr,
608                     ExprKind::Index(base, _subscript) => base,
609                     _ => break false,
610                 };
611                 if !classify::expr_requires_semi_to_be_stmt(innermost) {
612                     break true;
613                 }
614             }
615         };
616
617         lhs_needs_parens
618             || (followed_by_block
619                 && match &inner.kind {
620                     ExprKind::Ret(_)
621                     | ExprKind::Break(..)
622                     | ExprKind::Yield(..)
623                     | ExprKind::Yeet(..) => true,
624                     ExprKind::Range(_lhs, Some(rhs), _limits) => {
625                         matches!(rhs.kind, ExprKind::Block(..))
626                     }
627                     _ => parser::contains_exterior_struct_lit(&inner),
628                 })
629     }
630
631     fn emit_unused_delims_expr(
632         &self,
633         cx: &EarlyContext<'_>,
634         value: &ast::Expr,
635         ctx: UnusedDelimsCtx,
636         left_pos: Option<BytePos>,
637         right_pos: Option<BytePos>,
638     ) {
639         // If `value` has `ExprKind::Err`, unused delim lint can be broken.
640         // For example, the following code caused ICE.
641         // This is because the `ExprKind::Call` in `value` has `ExprKind::Err` as its argument
642         // and this leads to wrong spans. #104897
643         //
644         // ```
645         // fn f(){(print!(á
646         // ```
647         use rustc_ast::visit::{walk_expr, Visitor};
648         struct ErrExprVisitor {
649             has_error: bool,
650         }
651         impl<'ast> Visitor<'ast> for ErrExprVisitor {
652             fn visit_expr(&mut self, expr: &'ast ast::Expr) {
653                 if let ExprKind::Err = expr.kind {
654                     self.has_error = true;
655                     return;
656                 }
657                 walk_expr(self, expr)
658             }
659         }
660         let mut visitor = ErrExprVisitor { has_error: false };
661         visitor.visit_expr(value);
662         if visitor.has_error {
663             return;
664         }
665         let spans = match value.kind {
666             ast::ExprKind::Block(ref block, None) if block.stmts.len() == 1 => {
667                 if let Some(span) = block.stmts[0].span.find_ancestor_inside(value.span) {
668                     Some((value.span.with_hi(span.lo()), value.span.with_lo(span.hi())))
669                 } else {
670                     None
671                 }
672             }
673             ast::ExprKind::Paren(ref expr) => {
674                 let expr_span = expr.span.find_ancestor_inside(value.span);
675                 if let Some(expr_span) = expr_span {
676                     Some((value.span.with_hi(expr_span.lo()), value.span.with_lo(expr_span.hi())))
677                 } else {
678                     None
679                 }
680             }
681             _ => return,
682         };
683         let keep_space = (
684             left_pos.map_or(false, |s| s >= value.span.lo()),
685             right_pos.map_or(false, |s| s <= value.span.hi()),
686         );
687         self.emit_unused_delims(cx, value.span, spans, ctx.into(), keep_space);
688     }
689
690     fn emit_unused_delims(
691         &self,
692         cx: &EarlyContext<'_>,
693         value_span: Span,
694         spans: Option<(Span, Span)>,
695         msg: &str,
696         keep_space: (bool, bool),
697     ) {
698         let primary_span = if let Some((lo, hi)) = spans {
699             MultiSpan::from(vec![lo, hi])
700         } else {
701             MultiSpan::from(value_span)
702         };
703         cx.struct_span_lint(self.lint(), primary_span, fluent::lint_unused_delim, |lint| {
704             lint.set_arg("delim", Self::DELIM_STR);
705             lint.set_arg("item", msg);
706             if let Some((lo, hi)) = spans {
707                 let sm = cx.sess().source_map();
708                 let lo_replace =
709                     if keep_space.0 &&
710                         let Ok(snip) = sm.span_to_prev_source(lo) && !snip.ends_with(' ') {
711                         " ".to_string()
712                         } else {
713                             "".to_string()
714                         };
715
716                 let hi_replace =
717                     if keep_space.1 &&
718                         let Ok(snip) = sm.span_to_next_source(hi) && !snip.starts_with(' ') {
719                         " ".to_string()
720                         } else {
721                             "".to_string()
722                         };
723
724                 let replacement = vec![(lo, lo_replace), (hi, hi_replace)];
725                 lint.multipart_suggestion(
726                     fluent::suggestion,
727                     replacement,
728                     Applicability::MachineApplicable,
729                 );
730             }
731             lint
732         });
733     }
734
735     fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
736         use rustc_ast::ExprKind::*;
737         let (value, ctx, followed_by_block, left_pos, right_pos) = match e.kind {
738             // Do not lint `unused_braces` in `if let` expressions.
739             If(ref cond, ref block, _)
740                 if !matches!(cond.kind, Let(_, _, _))
741                     || Self::LINT_EXPR_IN_PATTERN_MATCHING_CTX =>
742             {
743                 let left = e.span.lo() + rustc_span::BytePos(2);
744                 let right = block.span.lo();
745                 (cond, UnusedDelimsCtx::IfCond, true, Some(left), Some(right))
746             }
747
748             // Do not lint `unused_braces` in `while let` expressions.
749             While(ref cond, ref block, ..)
750                 if !matches!(cond.kind, Let(_, _, _))
751                     || Self::LINT_EXPR_IN_PATTERN_MATCHING_CTX =>
752             {
753                 let left = e.span.lo() + rustc_span::BytePos(5);
754                 let right = block.span.lo();
755                 (cond, UnusedDelimsCtx::WhileCond, true, Some(left), Some(right))
756             }
757
758             ForLoop(_, ref cond, ref block, ..) => {
759                 (cond, UnusedDelimsCtx::ForIterExpr, true, None, Some(block.span.lo()))
760             }
761
762             Match(ref head, _) if Self::LINT_EXPR_IN_PATTERN_MATCHING_CTX => {
763                 let left = e.span.lo() + rustc_span::BytePos(5);
764                 (head, UnusedDelimsCtx::MatchScrutineeExpr, true, Some(left), None)
765             }
766
767             Ret(Some(ref value)) => {
768                 let left = e.span.lo() + rustc_span::BytePos(3);
769                 (value, UnusedDelimsCtx::ReturnValue, false, Some(left), None)
770             }
771
772             Assign(_, ref value, _) | AssignOp(.., ref value) => {
773                 (value, UnusedDelimsCtx::AssignedValue, false, None, None)
774             }
775             // either function/method call, or something this lint doesn't care about
776             ref call_or_other => {
777                 let (args_to_check, ctx) = match *call_or_other {
778                     Call(_, ref args) => (&args[..], UnusedDelimsCtx::FunctionArg),
779                     MethodCall(ref call) => (&call.args[..], UnusedDelimsCtx::MethodArg),
780                     // actual catch-all arm
781                     _ => {
782                         return;
783                     }
784                 };
785                 // Don't lint if this is a nested macro expansion: otherwise, the lint could
786                 // trigger in situations that macro authors shouldn't have to care about, e.g.,
787                 // when a parenthesized token tree matched in one macro expansion is matched as
788                 // an expression in another and used as a fn/method argument (Issue #47775)
789                 if e.span.ctxt().outer_expn_data().call_site.from_expansion() {
790                     return;
791                 }
792                 for arg in args_to_check {
793                     self.check_unused_delims_expr(cx, arg, ctx, false, None, None);
794                 }
795                 return;
796             }
797         };
798         self.check_unused_delims_expr(cx, &value, ctx, followed_by_block, left_pos, right_pos);
799     }
800
801     fn check_stmt(&mut self, cx: &EarlyContext<'_>, s: &ast::Stmt) {
802         match s.kind {
803             StmtKind::Local(ref local) if Self::LINT_EXPR_IN_PATTERN_MATCHING_CTX => {
804                 if let Some((init, els)) = local.kind.init_else_opt() {
805                     let ctx = match els {
806                         None => UnusedDelimsCtx::AssignedValue,
807                         Some(_) => UnusedDelimsCtx::AssignedValueLetElse,
808                     };
809                     self.check_unused_delims_expr(cx, init, ctx, false, None, None);
810                 }
811             }
812             StmtKind::Expr(ref expr) => {
813                 self.check_unused_delims_expr(
814                     cx,
815                     &expr,
816                     UnusedDelimsCtx::BlockRetValue,
817                     false,
818                     None,
819                     None,
820                 );
821             }
822             _ => {}
823         }
824     }
825
826     fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
827         use ast::ItemKind::*;
828
829         if let Const(.., Some(expr)) | Static(.., Some(expr)) = &item.kind {
830             self.check_unused_delims_expr(
831                 cx,
832                 expr,
833                 UnusedDelimsCtx::AssignedValue,
834                 false,
835                 None,
836                 None,
837             );
838         }
839     }
840 }
841
842 declare_lint! {
843     /// The `unused_parens` lint detects `if`, `match`, `while` and `return`
844     /// with parentheses; they do not need them.
845     ///
846     /// ### Examples
847     ///
848     /// ```rust
849     /// if(true) {}
850     /// ```
851     ///
852     /// {{produces}}
853     ///
854     /// ### Explanation
855     ///
856     /// The parentheses are not needed, and should be removed. This is the
857     /// preferred style for writing these expressions.
858     pub(super) UNUSED_PARENS,
859     Warn,
860     "`if`, `match`, `while` and `return` do not need parentheses"
861 }
862
863 declare_lint_pass!(UnusedParens => [UNUSED_PARENS]);
864
865 impl UnusedDelimLint for UnusedParens {
866     const DELIM_STR: &'static str = "parentheses";
867
868     const LINT_EXPR_IN_PATTERN_MATCHING_CTX: bool = true;
869
870     fn lint(&self) -> &'static Lint {
871         UNUSED_PARENS
872     }
873
874     fn check_unused_delims_expr(
875         &self,
876         cx: &EarlyContext<'_>,
877         value: &ast::Expr,
878         ctx: UnusedDelimsCtx,
879         followed_by_block: bool,
880         left_pos: Option<BytePos>,
881         right_pos: Option<BytePos>,
882     ) {
883         match value.kind {
884             ast::ExprKind::Paren(ref inner) => {
885                 let followed_by_else = ctx == UnusedDelimsCtx::AssignedValueLetElse;
886                 if !Self::is_expr_delims_necessary(inner, followed_by_block, followed_by_else)
887                     && value.attrs.is_empty()
888                     && !value.span.from_expansion()
889                     && (ctx != UnusedDelimsCtx::LetScrutineeExpr
890                         || !matches!(inner.kind, ast::ExprKind::Binary(
891                                 rustc_span::source_map::Spanned { node, .. },
892                                 _,
893                                 _,
894                             ) if node.lazy()))
895                 {
896                     self.emit_unused_delims_expr(cx, value, ctx, left_pos, right_pos)
897                 }
898             }
899             ast::ExprKind::Let(_, ref expr, _) => {
900                 self.check_unused_delims_expr(
901                     cx,
902                     expr,
903                     UnusedDelimsCtx::LetScrutineeExpr,
904                     followed_by_block,
905                     None,
906                     None,
907                 );
908             }
909             _ => {}
910         }
911     }
912 }
913
914 impl UnusedParens {
915     fn check_unused_parens_pat(
916         &self,
917         cx: &EarlyContext<'_>,
918         value: &ast::Pat,
919         avoid_or: bool,
920         avoid_mut: bool,
921         keep_space: (bool, bool),
922     ) {
923         use ast::{BindingAnnotation, PatKind};
924
925         if let PatKind::Paren(inner) = &value.kind {
926             match inner.kind {
927                 // The lint visitor will visit each subpattern of `p`. We do not want to lint
928                 // any range pattern no matter where it occurs in the pattern. For something like
929                 // `&(a..=b)`, there is a recursive `check_pat` on `a` and `b`, but we will assume
930                 // that if there are unnecessary parens they serve a purpose of readability.
931                 PatKind::Range(..) => return,
932                 // Avoid `p0 | .. | pn` if we should.
933                 PatKind::Or(..) if avoid_or => return,
934                 // Avoid `mut x` and `mut x @ p` if we should:
935                 PatKind::Ident(BindingAnnotation::MUT, ..) if avoid_mut => {
936                     return;
937                 }
938                 // Otherwise proceed with linting.
939                 _ => {}
940             }
941             let spans = if let Some(inner) = inner.span.find_ancestor_inside(value.span) {
942                 Some((value.span.with_hi(inner.lo()), value.span.with_lo(inner.hi())))
943             } else {
944                 None
945             };
946             self.emit_unused_delims(cx, value.span, spans, "pattern", keep_space);
947         }
948     }
949 }
950
951 impl EarlyLintPass for UnusedParens {
952     #[inline]
953     fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
954         match e.kind {
955             ExprKind::Let(ref pat, _, _) | ExprKind::ForLoop(ref pat, ..) => {
956                 self.check_unused_parens_pat(cx, pat, false, false, (true, true));
957             }
958             // We ignore parens in cases like `if (((let Some(0) = Some(1))))` because we already
959             // handle a hard error for them during AST lowering in `lower_expr_mut`, but we still
960             // want to complain about things like `if let 42 = (42)`.
961             ExprKind::If(ref cond, ref block, ref else_)
962                 if matches!(cond.peel_parens().kind, ExprKind::Let(..)) =>
963             {
964                 self.check_unused_delims_expr(
965                     cx,
966                     cond.peel_parens(),
967                     UnusedDelimsCtx::LetScrutineeExpr,
968                     true,
969                     None,
970                     None,
971                 );
972                 for stmt in &block.stmts {
973                     <Self as UnusedDelimLint>::check_stmt(self, cx, stmt);
974                 }
975                 if let Some(e) = else_ {
976                     <Self as UnusedDelimLint>::check_expr(self, cx, e);
977                 }
978                 return;
979             }
980             ExprKind::Match(ref _expr, ref arm) => {
981                 for a in arm {
982                     self.check_unused_delims_expr(
983                         cx,
984                         &a.body,
985                         UnusedDelimsCtx::MatchArmExpr,
986                         false,
987                         None,
988                         None,
989                     );
990                 }
991             }
992             _ => {}
993         }
994
995         <Self as UnusedDelimLint>::check_expr(self, cx, e)
996     }
997
998     fn check_pat(&mut self, cx: &EarlyContext<'_>, p: &ast::Pat) {
999         use ast::{Mutability, PatKind::*};
1000         let keep_space = (false, false);
1001         match &p.kind {
1002             // Do not lint on `(..)` as that will result in the other arms being useless.
1003             Paren(_)
1004             // The other cases do not contain sub-patterns.
1005             | Wild | Rest | Lit(..) | MacCall(..) | Range(..) | Ident(.., None) | Path(..) => {},
1006             // These are list-like patterns; parens can always be removed.
1007             TupleStruct(_, _, ps) | Tuple(ps) | Slice(ps) | Or(ps) => for p in ps {
1008                 self.check_unused_parens_pat(cx, p, false, false, keep_space);
1009             },
1010             Struct(_, _, fps, _) => for f in fps {
1011                 self.check_unused_parens_pat(cx, &f.pat, false, false, keep_space);
1012             },
1013             // Avoid linting on `i @ (p0 | .. | pn)` and `box (p0 | .. | pn)`, #64106.
1014             Ident(.., Some(p)) | Box(p) => self.check_unused_parens_pat(cx, p, true, false, keep_space),
1015             // Avoid linting on `&(mut x)` as `&mut x` has a different meaning, #55342.
1016             // Also avoid linting on `& mut? (p0 | .. | pn)`, #64106.
1017             Ref(p, m) => self.check_unused_parens_pat(cx, p, true, *m == Mutability::Not, keep_space),
1018         }
1019     }
1020
1021     fn check_stmt(&mut self, cx: &EarlyContext<'_>, s: &ast::Stmt) {
1022         if let StmtKind::Local(ref local) = s.kind {
1023             self.check_unused_parens_pat(cx, &local.pat, true, false, (false, false));
1024         }
1025
1026         <Self as UnusedDelimLint>::check_stmt(self, cx, s)
1027     }
1028
1029     fn check_param(&mut self, cx: &EarlyContext<'_>, param: &ast::Param) {
1030         self.check_unused_parens_pat(cx, &param.pat, true, false, (false, false));
1031     }
1032
1033     fn check_arm(&mut self, cx: &EarlyContext<'_>, arm: &ast::Arm) {
1034         self.check_unused_parens_pat(cx, &arm.pat, false, false, (false, false));
1035     }
1036
1037     fn check_ty(&mut self, cx: &EarlyContext<'_>, ty: &ast::Ty) {
1038         if let ast::TyKind::Paren(r) = &ty.kind {
1039             match &r.kind {
1040                 ast::TyKind::TraitObject(..) => {}
1041                 ast::TyKind::BareFn(b) if b.generic_params.len() > 0 => {}
1042                 ast::TyKind::ImplTrait(_, bounds) if bounds.len() > 1 => {}
1043                 ast::TyKind::Array(_, len) => {
1044                     self.check_unused_delims_expr(
1045                         cx,
1046                         &len.value,
1047                         UnusedDelimsCtx::ArrayLenExpr,
1048                         false,
1049                         None,
1050                         None,
1051                     );
1052                 }
1053                 _ => {
1054                     let spans = if let Some(r) = r.span.find_ancestor_inside(ty.span) {
1055                         Some((ty.span.with_hi(r.lo()), ty.span.with_lo(r.hi())))
1056                     } else {
1057                         None
1058                     };
1059                     self.emit_unused_delims(cx, ty.span, spans, "type", (false, false));
1060                 }
1061             }
1062         }
1063     }
1064
1065     fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
1066         <Self as UnusedDelimLint>::check_item(self, cx, item)
1067     }
1068 }
1069
1070 declare_lint! {
1071     /// The `unused_braces` lint detects unnecessary braces around an
1072     /// expression.
1073     ///
1074     /// ### Example
1075     ///
1076     /// ```rust
1077     /// if { true } {
1078     ///     // ...
1079     /// }
1080     /// ```
1081     ///
1082     /// {{produces}}
1083     ///
1084     /// ### Explanation
1085     ///
1086     /// The braces are not needed, and should be removed. This is the
1087     /// preferred style for writing these expressions.
1088     pub(super) UNUSED_BRACES,
1089     Warn,
1090     "unnecessary braces around an expression"
1091 }
1092
1093 declare_lint_pass!(UnusedBraces => [UNUSED_BRACES]);
1094
1095 impl UnusedDelimLint for UnusedBraces {
1096     const DELIM_STR: &'static str = "braces";
1097
1098     const LINT_EXPR_IN_PATTERN_MATCHING_CTX: bool = false;
1099
1100     fn lint(&self) -> &'static Lint {
1101         UNUSED_BRACES
1102     }
1103
1104     fn check_unused_delims_expr(
1105         &self,
1106         cx: &EarlyContext<'_>,
1107         value: &ast::Expr,
1108         ctx: UnusedDelimsCtx,
1109         followed_by_block: bool,
1110         left_pos: Option<BytePos>,
1111         right_pos: Option<BytePos>,
1112     ) {
1113         match value.kind {
1114             ast::ExprKind::Block(ref inner, None)
1115                 if inner.rules == ast::BlockCheckMode::Default =>
1116             {
1117                 // emit a warning under the following conditions:
1118                 //
1119                 // - the block does not have a label
1120                 // - the block is not `unsafe`
1121                 // - the block contains exactly one expression (do not lint `{ expr; }`)
1122                 // - `followed_by_block` is true and the internal expr may contain a `{`
1123                 // - the block is not multiline (do not lint multiline match arms)
1124                 //      ```
1125                 //      match expr {
1126                 //          Pattern => {
1127                 //              somewhat_long_expression
1128                 //          }
1129                 //          // ...
1130                 //      }
1131                 //      ```
1132                 // - the block has no attribute and was not created inside a macro
1133                 // - if the block is an `anon_const`, the inner expr must be a literal
1134                 //      (do not lint `struct A<const N: usize>; let _: A<{ 2 + 3 }>;`)
1135                 //
1136                 // FIXME(const_generics): handle paths when #67075 is fixed.
1137                 if let [stmt] = inner.stmts.as_slice() {
1138                     if let ast::StmtKind::Expr(ref expr) = stmt.kind {
1139                         if !Self::is_expr_delims_necessary(expr, followed_by_block, false)
1140                             && (ctx != UnusedDelimsCtx::AnonConst
1141                                 || matches!(expr.kind, ast::ExprKind::Lit(_)))
1142                             && !cx.sess().source_map().is_multiline(value.span)
1143                             && value.attrs.is_empty()
1144                             && !value.span.from_expansion()
1145                         {
1146                             self.emit_unused_delims_expr(cx, value, ctx, left_pos, right_pos)
1147                         }
1148                     }
1149                 }
1150             }
1151             ast::ExprKind::Let(_, ref expr, _) => {
1152                 self.check_unused_delims_expr(
1153                     cx,
1154                     expr,
1155                     UnusedDelimsCtx::LetScrutineeExpr,
1156                     followed_by_block,
1157                     None,
1158                     None,
1159                 );
1160             }
1161             _ => {}
1162         }
1163     }
1164 }
1165
1166 impl EarlyLintPass for UnusedBraces {
1167     fn check_stmt(&mut self, cx: &EarlyContext<'_>, s: &ast::Stmt) {
1168         <Self as UnusedDelimLint>::check_stmt(self, cx, s)
1169     }
1170
1171     #[inline]
1172     fn check_expr(&mut self, cx: &EarlyContext<'_>, e: &ast::Expr) {
1173         <Self as UnusedDelimLint>::check_expr(self, cx, e);
1174
1175         if let ExprKind::Repeat(_, ref anon_const) = e.kind {
1176             self.check_unused_delims_expr(
1177                 cx,
1178                 &anon_const.value,
1179                 UnusedDelimsCtx::AnonConst,
1180                 false,
1181                 None,
1182                 None,
1183             );
1184         }
1185     }
1186
1187     fn check_generic_arg(&mut self, cx: &EarlyContext<'_>, arg: &ast::GenericArg) {
1188         if let ast::GenericArg::Const(ct) = arg {
1189             self.check_unused_delims_expr(
1190                 cx,
1191                 &ct.value,
1192                 UnusedDelimsCtx::AnonConst,
1193                 false,
1194                 None,
1195                 None,
1196             );
1197         }
1198     }
1199
1200     fn check_variant(&mut self, cx: &EarlyContext<'_>, v: &ast::Variant) {
1201         if let Some(anon_const) = &v.disr_expr {
1202             self.check_unused_delims_expr(
1203                 cx,
1204                 &anon_const.value,
1205                 UnusedDelimsCtx::AnonConst,
1206                 false,
1207                 None,
1208                 None,
1209             );
1210         }
1211     }
1212
1213     fn check_ty(&mut self, cx: &EarlyContext<'_>, ty: &ast::Ty) {
1214         match ty.kind {
1215             ast::TyKind::Array(_, ref len) => {
1216                 self.check_unused_delims_expr(
1217                     cx,
1218                     &len.value,
1219                     UnusedDelimsCtx::ArrayLenExpr,
1220                     false,
1221                     None,
1222                     None,
1223                 );
1224             }
1225
1226             ast::TyKind::Typeof(ref anon_const) => {
1227                 self.check_unused_delims_expr(
1228                     cx,
1229                     &anon_const.value,
1230                     UnusedDelimsCtx::AnonConst,
1231                     false,
1232                     None,
1233                     None,
1234                 );
1235             }
1236
1237             _ => {}
1238         }
1239     }
1240
1241     fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
1242         <Self as UnusedDelimLint>::check_item(self, cx, item)
1243     }
1244 }
1245
1246 declare_lint! {
1247     /// The `unused_import_braces` lint catches unnecessary braces around an
1248     /// imported item.
1249     ///
1250     /// ### Example
1251     ///
1252     /// ```rust,compile_fail
1253     /// #![deny(unused_import_braces)]
1254     /// use test::{A};
1255     ///
1256     /// pub mod test {
1257     ///     pub struct A;
1258     /// }
1259     /// # fn main() {}
1260     /// ```
1261     ///
1262     /// {{produces}}
1263     ///
1264     /// ### Explanation
1265     ///
1266     /// If there is only a single item, then remove the braces (`use test::A;`
1267     /// for example).
1268     ///
1269     /// This lint is "allow" by default because it is only enforcing a
1270     /// stylistic choice.
1271     UNUSED_IMPORT_BRACES,
1272     Allow,
1273     "unnecessary braces around an imported item"
1274 }
1275
1276 declare_lint_pass!(UnusedImportBraces => [UNUSED_IMPORT_BRACES]);
1277
1278 impl UnusedImportBraces {
1279     fn check_use_tree(&self, cx: &EarlyContext<'_>, use_tree: &ast::UseTree, item: &ast::Item) {
1280         if let ast::UseTreeKind::Nested(ref items) = use_tree.kind {
1281             // Recursively check nested UseTrees
1282             for &(ref tree, _) in items {
1283                 self.check_use_tree(cx, tree, item);
1284             }
1285
1286             // Trigger the lint only if there is one nested item
1287             if items.len() != 1 {
1288                 return;
1289             }
1290
1291             // Trigger the lint if the nested item is a non-self single item
1292             let node_name = match items[0].0.kind {
1293                 ast::UseTreeKind::Simple(rename) => {
1294                     let orig_ident = items[0].0.prefix.segments.last().unwrap().ident;
1295                     if orig_ident.name == kw::SelfLower {
1296                         return;
1297                     }
1298                     rename.unwrap_or(orig_ident).name
1299                 }
1300                 ast::UseTreeKind::Glob => Symbol::intern("*"),
1301                 ast::UseTreeKind::Nested(_) => return,
1302             };
1303
1304             cx.struct_span_lint(
1305                 UNUSED_IMPORT_BRACES,
1306                 item.span,
1307                 fluent::lint_unused_import_braces,
1308                 |lint| lint.set_arg("node", node_name),
1309             );
1310         }
1311     }
1312 }
1313
1314 impl EarlyLintPass for UnusedImportBraces {
1315     fn check_item(&mut self, cx: &EarlyContext<'_>, item: &ast::Item) {
1316         if let ast::ItemKind::Use(ref use_tree) = item.kind {
1317             self.check_use_tree(cx, use_tree, item);
1318         }
1319     }
1320 }
1321
1322 declare_lint! {
1323     /// The `unused_allocation` lint detects unnecessary allocations that can
1324     /// be eliminated.
1325     ///
1326     /// ### Example
1327     ///
1328     /// ```rust
1329     /// #![feature(box_syntax)]
1330     /// fn main() {
1331     ///     let a = (box [1, 2, 3]).len();
1332     /// }
1333     /// ```
1334     ///
1335     /// {{produces}}
1336     ///
1337     /// ### Explanation
1338     ///
1339     /// When a `box` expression is immediately coerced to a reference, then
1340     /// the allocation is unnecessary, and a reference (using `&` or `&mut`)
1341     /// should be used instead to avoid the allocation.
1342     pub(super) UNUSED_ALLOCATION,
1343     Warn,
1344     "detects unnecessary allocations that can be eliminated"
1345 }
1346
1347 declare_lint_pass!(UnusedAllocation => [UNUSED_ALLOCATION]);
1348
1349 impl<'tcx> LateLintPass<'tcx> for UnusedAllocation {
1350     fn check_expr(&mut self, cx: &LateContext<'_>, e: &hir::Expr<'_>) {
1351         match e.kind {
1352             hir::ExprKind::Box(_) => {}
1353             _ => return,
1354         }
1355
1356         for adj in cx.typeck_results().expr_adjustments(e) {
1357             if let adjustment::Adjust::Borrow(adjustment::AutoBorrow::Ref(_, m)) = adj.kind {
1358                 cx.struct_span_lint(
1359                     UNUSED_ALLOCATION,
1360                     e.span,
1361                     match m {
1362                         adjustment::AutoBorrowMutability::Not => fluent::lint_unused_allocation,
1363                         adjustment::AutoBorrowMutability::Mut { .. } => {
1364                             fluent::lint_unused_allocation_mut
1365                         }
1366                     },
1367                     |lint| lint,
1368                 );
1369             }
1370         }
1371     }
1372 }