]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/shadow.rs
Merge pull request #3049 from mikerite/fix-2799
[rust.git] / clippy_lints / src / shadow.rs
1 use crate::reexport::*;
2 use rustc::lint::*;
3 use rustc::{declare_lint, lint_array};
4 use rustc::hir::*;
5 use rustc::hir::intravisit::FnKind;
6 use rustc::ty;
7 use syntax::codemap::Span;
8 use crate::utils::{contains_name, higher, iter_input_pats, snippet, span_lint_and_then};
9
10 /// **What it does:** Checks for bindings that shadow other bindings already in
11 /// scope, while just changing reference level or mutability.
12 ///
13 /// **Why is this bad?** Not much, in fact it's a very common pattern in Rust
14 /// code. Still, some may opt to avoid it in their code base, they can set this
15 /// lint to `Warn`.
16 ///
17 /// **Known problems:** This lint, as the other shadowing related lints,
18 /// currently only catches very simple patterns.
19 ///
20 /// **Example:**
21 /// ```rust
22 /// let x = &x;
23 /// ```
24 declare_clippy_lint! {
25     pub SHADOW_SAME,
26     restriction,
27     "rebinding a name to itself, e.g. `let mut x = &mut x`"
28 }
29
30 /// **What it does:** Checks for bindings that shadow other bindings already in
31 /// scope, while reusing the original value.
32 ///
33 /// **Why is this bad?** Not too much, in fact it's a common pattern in Rust
34 /// code. Still, some argue that name shadowing like this hurts readability,
35 /// because a value may be bound to different things depending on position in
36 /// the code.
37 ///
38 /// **Known problems:** This lint, as the other shadowing related lints,
39 /// currently only catches very simple patterns.
40 ///
41 /// **Example:**
42 /// ```rust
43 /// let x = x + 1;
44 /// ```
45 /// use different variable name:
46 /// ```rust
47 /// let y = x + 1;
48 /// ```
49 declare_clippy_lint! {
50     pub SHADOW_REUSE,
51     restriction,
52     "rebinding a name to an expression that re-uses the original value, e.g. \
53      `let x = x + 1`"
54 }
55
56 /// **What it does:** Checks for bindings that shadow other bindings already in
57 /// scope, either without a initialization or with one that does not even use
58 /// the original value.
59 ///
60 /// **Why is this bad?** Name shadowing can hurt readability, especially in
61 /// large code bases, because it is easy to lose track of the active binding at
62 /// any place in the code. This can be alleviated by either giving more specific
63 /// names to bindings or introducing more scopes to contain the bindings.
64 ///
65 /// **Known problems:** This lint, as the other shadowing related lints,
66 /// currently only catches very simple patterns.
67 ///
68 /// **Example:**
69 /// ```rust
70 /// let x = y; let x = z; // shadows the earlier binding
71 /// ```
72 declare_clippy_lint! {
73     pub SHADOW_UNRELATED,
74     pedantic,
75     "rebinding a name without even using the original value"
76 }
77
78 #[derive(Copy, Clone)]
79 pub struct Pass;
80
81 impl LintPass for Pass {
82     fn get_lints(&self) -> LintArray {
83         lint_array!(SHADOW_SAME, SHADOW_REUSE, SHADOW_UNRELATED)
84     }
85 }
86
87 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Pass {
88     fn check_fn(
89         &mut self,
90         cx: &LateContext<'a, 'tcx>,
91         _: FnKind<'tcx>,
92         decl: &'tcx FnDecl,
93         body: &'tcx Body,
94         _: Span,
95         _: NodeId,
96     ) {
97         if in_external_macro(cx.sess(), body.value.span) {
98             return;
99         }
100         check_fn(cx, decl, body);
101     }
102 }
103
104 fn check_fn<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, decl: &'tcx FnDecl, body: &'tcx Body) {
105     let mut bindings = Vec::new();
106     for arg in iter_input_pats(decl, body) {
107         if let PatKind::Binding(_, _, ident, _) = arg.pat.node {
108             bindings.push((ident.name, ident.span))
109         }
110     }
111     check_expr(cx, &body.value, &mut bindings);
112 }
113
114 fn check_block<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, block: &'tcx Block, bindings: &mut Vec<(Name, Span)>) {
115     let len = bindings.len();
116     for stmt in &block.stmts {
117         match stmt.node {
118             StmtKind::Decl(ref decl, _) => check_decl(cx, decl, bindings),
119             StmtKind::Expr(ref e, _) | StmtKind::Semi(ref e, _) => check_expr(cx, e, bindings),
120         }
121     }
122     if let Some(ref o) = block.expr {
123         check_expr(cx, o, bindings);
124     }
125     bindings.truncate(len);
126 }
127
128 fn check_decl<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, decl: &'tcx Decl, bindings: &mut Vec<(Name, Span)>) {
129     if in_external_macro(cx.sess(), decl.span) {
130         return;
131     }
132     if higher::is_from_for_desugar(decl) {
133         return;
134     }
135     if let DeclKind::Local(ref local) = decl.node {
136         let Local {
137             ref pat,
138             ref ty,
139             ref init,
140             span,
141             ..
142         } = **local;
143         if let Some(ref t) = *ty {
144             check_ty(cx, t, bindings)
145         }
146         if let Some(ref o) = *init {
147             check_expr(cx, o, bindings);
148             check_pat(cx, pat, Some(o), span, bindings);
149         } else {
150             check_pat(cx, pat, None, span, bindings);
151         }
152     }
153 }
154
155 fn is_binding(cx: &LateContext<'_, '_>, pat_id: HirId) -> bool {
156     let var_ty = cx.tables.node_id_to_type(pat_id);
157     match var_ty.sty {
158         ty::TyAdt(..) => false,
159         _ => true,
160     }
161 }
162
163 fn check_pat<'a, 'tcx>(
164     cx: &LateContext<'a, 'tcx>,
165     pat: &'tcx Pat,
166     init: Option<&'tcx Expr>,
167     span: Span,
168     bindings: &mut Vec<(Name, Span)>,
169 ) {
170     // TODO: match more stuff / destructuring
171     match pat.node {
172         PatKind::Binding(_, _, ident, ref inner) => {
173             let name = ident.name;
174             if is_binding(cx, pat.hir_id) {
175                 let mut new_binding = true;
176                 for tup in bindings.iter_mut() {
177                     if tup.0 == name {
178                         lint_shadow(cx, name, span, pat.span, init, tup.1);
179                         tup.1 = ident.span;
180                         new_binding = false;
181                         break;
182                     }
183                 }
184                 if new_binding {
185                     bindings.push((name, ident.span));
186                 }
187             }
188             if let Some(ref p) = *inner {
189                 check_pat(cx, p, init, span, bindings);
190             }
191         },
192         PatKind::Struct(_, ref pfields, _) => if let Some(init_struct) = init {
193             if let ExprKind::Struct(_, ref efields, _) = init_struct.node {
194                 for field in pfields {
195                     let name = field.node.ident.name;
196                     let efield = efields
197                         .iter()
198                         .find(|f| f.ident.name == name)
199                         .map(|f| &*f.expr);
200                     check_pat(cx, &field.node.pat, efield, span, bindings);
201                 }
202             } else {
203                 for field in pfields {
204                     check_pat(cx, &field.node.pat, init, span, bindings);
205                 }
206             }
207         } else {
208             for field in pfields {
209                 check_pat(cx, &field.node.pat, None, span, bindings);
210             }
211         },
212         PatKind::Tuple(ref inner, _) => if let Some(init_tup) = init {
213             if let ExprKind::Tup(ref tup) = init_tup.node {
214                 for (i, p) in inner.iter().enumerate() {
215                     check_pat(cx, p, Some(&tup[i]), p.span, bindings);
216                 }
217             } else {
218                 for p in inner {
219                     check_pat(cx, p, init, span, bindings);
220                 }
221             }
222         } else {
223             for p in inner {
224                 check_pat(cx, p, None, span, bindings);
225             }
226         },
227         PatKind::Box(ref inner) => if let Some(initp) = init {
228             if let ExprKind::Box(ref inner_init) = initp.node {
229                 check_pat(cx, inner, Some(&**inner_init), span, bindings);
230             } else {
231                 check_pat(cx, inner, init, span, bindings);
232             }
233         } else {
234             check_pat(cx, inner, init, span, bindings);
235         },
236         PatKind::Ref(ref inner, _) => check_pat(cx, inner, init, span, bindings),
237         // PatVec(Vec<P<Pat>>, Option<P<Pat>>, Vec<P<Pat>>),
238         _ => (),
239     }
240 }
241
242 fn lint_shadow<'a, 'tcx: 'a>(
243     cx: &LateContext<'a, 'tcx>,
244     name: Name,
245     span: Span,
246     pattern_span: Span,
247     init: Option<&'tcx Expr>,
248     prev_span: Span,
249 ) {
250     if let Some(expr) = init {
251         if is_self_shadow(name, expr) {
252             span_lint_and_then(
253                 cx,
254                 SHADOW_SAME,
255                 span,
256                 &format!(
257                     "`{}` is shadowed by itself in `{}`",
258                     snippet(cx, pattern_span, "_"),
259                     snippet(cx, expr.span, "..")
260                 ),
261                 |db| {
262                     db.span_note(prev_span, "previous binding is here");
263                 },
264             );
265         } else if contains_name(name, expr) {
266             span_lint_and_then(
267                 cx,
268                 SHADOW_REUSE,
269                 pattern_span,
270                 &format!(
271                     "`{}` is shadowed by `{}` which reuses the original value",
272                     snippet(cx, pattern_span, "_"),
273                     snippet(cx, expr.span, "..")
274                 ),
275                 |db| {
276                     db.span_note(expr.span, "initialization happens here");
277                     db.span_note(prev_span, "previous binding is here");
278                 },
279             );
280         } else {
281             span_lint_and_then(
282                 cx,
283                 SHADOW_UNRELATED,
284                 pattern_span,
285                 &format!(
286                     "`{}` is shadowed by `{}`",
287                     snippet(cx, pattern_span, "_"),
288                     snippet(cx, expr.span, "..")
289                 ),
290                 |db| {
291                     db.span_note(expr.span, "initialization happens here");
292                     db.span_note(prev_span, "previous binding is here");
293                 },
294             );
295         }
296     } else {
297         span_lint_and_then(
298             cx,
299             SHADOW_UNRELATED,
300             span,
301             &format!("`{}` shadows a previous declaration", snippet(cx, pattern_span, "_")),
302             |db| {
303                 db.span_note(prev_span, "previous binding is here");
304             },
305         );
306     }
307 }
308
309 fn check_expr<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr, bindings: &mut Vec<(Name, Span)>) {
310     if in_external_macro(cx.sess(), expr.span) {
311         return;
312     }
313     match expr.node {
314         ExprKind::Unary(_, ref e) | ExprKind::Field(ref e, _) | ExprKind::AddrOf(_, ref e) | ExprKind::Box(ref e) => {
315             check_expr(cx, e, bindings)
316         },
317         ExprKind::Block(ref block, _) | ExprKind::Loop(ref block, _, _) => check_block(cx, block, bindings),
318         // ExprKind::Call
319         // ExprKind::MethodCall
320         ExprKind::Array(ref v) | ExprKind::Tup(ref v) => for e in v {
321             check_expr(cx, e, bindings)
322         },
323         ExprKind::If(ref cond, ref then, ref otherwise) => {
324             check_expr(cx, cond, bindings);
325             check_expr(cx, &**then, bindings);
326             if let Some(ref o) = *otherwise {
327                 check_expr(cx, o, bindings);
328             }
329         },
330         ExprKind::While(ref cond, ref block, _) => {
331             check_expr(cx, cond, bindings);
332             check_block(cx, block, bindings);
333         },
334         ExprKind::Match(ref init, ref arms, _) => {
335             check_expr(cx, init, bindings);
336             let len = bindings.len();
337             for arm in arms {
338                 for pat in &arm.pats {
339                     check_pat(cx, pat, Some(&**init), pat.span, bindings);
340                     // This is ugly, but needed to get the right type
341                     if let Some(ref guard) = arm.guard {
342                         check_expr(cx, guard, bindings);
343                     }
344                     check_expr(cx, &arm.body, bindings);
345                     bindings.truncate(len);
346                 }
347             }
348         },
349         _ => (),
350     }
351 }
352
353 fn check_ty<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, ty: &'tcx Ty, bindings: &mut Vec<(Name, Span)>) {
354     match ty.node {
355         TyKind::Slice(ref sty) => check_ty(cx, sty, bindings),
356         TyKind::Array(ref fty, ref anon_const) => {
357             check_ty(cx, fty, bindings);
358             check_expr(cx, &cx.tcx.hir.body(anon_const.body).value, bindings);
359         },
360         TyKind::Ptr(MutTy { ty: ref mty, .. }) | TyKind::Rptr(_, MutTy { ty: ref mty, .. }) => check_ty(cx, mty, bindings),
361         TyKind::Tup(ref tup) => for t in tup {
362             check_ty(cx, t, bindings)
363         },
364         TyKind::Typeof(ref anon_const) => check_expr(cx, &cx.tcx.hir.body(anon_const.body).value, bindings),
365         _ => (),
366     }
367 }
368
369 fn is_self_shadow(name: Name, expr: &Expr) -> bool {
370     match expr.node {
371         ExprKind::Box(ref inner) | ExprKind::AddrOf(_, ref inner) => is_self_shadow(name, inner),
372         ExprKind::Block(ref block, _) => {
373             block.stmts.is_empty()
374                 && block
375                     .expr
376                     .as_ref()
377                     .map_or(false, |e| is_self_shadow(name, e))
378         },
379         ExprKind::Unary(op, ref inner) => (UnDeref == op) && is_self_shadow(name, inner),
380         ExprKind::Path(QPath::Resolved(_, ref path)) => path_eq_name(name, path),
381         _ => false,
382     }
383 }
384
385 fn path_eq_name(name: Name, path: &Path) -> bool {
386     !path.is_global() && path.segments.len() == 1 && path.segments[0].ident.as_str() == name.as_str()
387 }