]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/needless_update.rs
Merge remote-tracking branch 'origin/rust-1.31.0' into HEAD
[rust.git] / clippy_lints / src / needless_update.rs
1 use crate::utils::span_lint;
2 use rustc::hir::{Expr, ExprKind};
3 use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
4 use rustc::ty;
5 use rustc::{declare_lint_pass, declare_tool_lint};
6
7 declare_clippy_lint! {
8     /// **What it does:** Checks for needlessly including a base struct on update
9     /// when all fields are changed anyway.
10     ///
11     /// **Why is this bad?** This will cost resources (because the base has to be
12     /// somewhere), and make the code less readable.
13     ///
14     /// **Known problems:** None.
15     ///
16     /// **Example:**
17     /// ```rust
18     /// Point {
19     ///     x: 1,
20     ///     y: 0,
21     ///     ..zero_point
22     /// }
23     /// ```
24     pub NEEDLESS_UPDATE,
25     complexity,
26     "using `Foo { ..base }` when there are no missing fields"
27 }
28
29 declare_lint_pass!(NeedlessUpdate => [NEEDLESS_UPDATE]);
30
31 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for NeedlessUpdate {
32     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr) {
33         if let ExprKind::Struct(_, ref fields, Some(ref base)) = expr.node {
34             let ty = cx.tables.expr_ty(expr);
35             if let ty::Adt(def, _) = ty.sty {
36                 if fields.len() == def.non_enum_variant().fields.len() {
37                     span_lint(
38                         cx,
39                         NEEDLESS_UPDATE,
40                         base.span,
41                         "struct update has no effect, all the fields in the struct have already been specified",
42                     );
43                 }
44             }
45         }
46     }
47 }