]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/let_if_seq.rs
another one. Somehow I failed to correctly commit
[rust.git] / clippy_lints / src / let_if_seq.rs
1 use rustc::lint::*;
2 use rustc::hir;
3 use syntax::codemap;
4 use utils::{snippet, span_lint_and_then};
5
6 /// **What it does:** This lint checks for variable declarations immediately followed by a
7 /// conditional affectation.
8 ///
9 /// **Why is this bad?** This is not idiomatic Rust.
10 ///
11 /// **Known problems:** None.
12 ///
13 /// **Example:**
14 /// ```rust,ignore
15 /// let foo;
16 ///
17 /// if bar() {
18 ///     foo = 42;
19 /// } else {
20 ///     foo = 0;
21 /// }
22 ///
23 /// let mut baz = None;
24 ///
25 /// if bar() {
26 ///     baz = Some(42);
27 /// }
28 /// ```
29 ///
30 /// should be written
31 ///
32 /// ```rust,ignore
33 /// let foo = if bar() {
34 ///     42;
35 /// } else {
36 ///     0;
37 /// };
38 ///
39 /// let baz = if bar() {
40 ///     Some(42);
41 /// } else {
42 ///     None
43 /// };
44 /// ```
45 declare_lint! {
46     pub USELESS_LET_IF_SEQ,
47     Warn,
48     "Checks for unidiomatic `let mut` declaration followed by initialization in `if`"
49 }
50
51 #[derive(Copy,Clone)]
52 pub struct LetIfSeq;
53
54 impl LintPass for LetIfSeq {
55     fn get_lints(&self) -> LintArray {
56         lint_array!(USELESS_LET_IF_SEQ)
57     }
58 }
59
60 impl LateLintPass for LetIfSeq {
61     fn check_block(&mut self, cx: &LateContext, block: &hir::Block) {
62         let mut it = block.stmts.iter().peekable();
63         while let Some(ref stmt) = it.next() {
64             if_let_chain! {[
65                 let Some(expr) = it.peek(),
66                 let hir::StmtDecl(ref decl, _) = stmt.node,
67                 let hir::DeclLocal(ref decl) = decl.node,
68                 let hir::PatKind::Binding(mode, ref name, None) = decl.pat.node,
69                 let Some(def) = cx.tcx.def_map.borrow().get(&decl.pat.id),
70                 let hir::StmtExpr(ref if_, _) = expr.node,
71                 let hir::ExprIf(ref cond, ref then, ref else_) = if_.node,
72                 let Some(value) = check_assign(cx, def.def_id(), then),
73             ], {
74                 let span = codemap::mk_sp(stmt.span.lo, if_.span.hi);
75
76                 let (default_multi_stmts, default) = if let Some(ref else_) = *else_ {
77                     if let hir::ExprBlock(ref else_) = else_.node {
78                         if let Some(default) = check_assign(cx, def.def_id(), else_) {
79                             (else_.stmts.len() > 1, default)
80                         } else if let Some(ref default) = decl.init {
81                             (true, &**default)
82                         } else {
83                             continue;
84                         }
85                     } else {
86                         continue;
87                     }
88                 } else if let Some(ref default) = decl.init {
89                     (false, &**default)
90                 } else {
91                     continue;
92                 };
93
94                 let mutability = match mode {
95                     hir::BindByRef(hir::MutMutable) | hir::BindByValue(hir::MutMutable) => "<mut> ",
96                     _ => "",
97                 };
98
99                 // FIXME: this should not suggest `mut` if we can detect that the variable is not
100                 // use mutably after the `if`
101
102                 let sug = format!(
103                     "let {mut}{name} = if {cond} {{{then} {value} }} else {{{else} {default} }};",
104                     mut=mutability,
105                     name=name.node,
106                     cond=snippet(cx, cond.span, "_"),
107                     then=if then.stmts.len() > 1 { " ..;" } else { "" },
108                     else=if default_multi_stmts { " ..;" } else { "" },
109                     value=snippet(cx, value.span, "<value>"),
110                     default=snippet(cx, default.span, "<default>"),
111                 );
112                 span_lint_and_then(cx,
113                                    USELESS_LET_IF_SEQ,
114                                    span,
115                                    "`if _ { .. } else { .. }` is an expression",
116                                    |db| {
117                                        db.span_suggestion(span,
118                                                           "it is more idiomatic to write",
119                                                           sug);
120                                        if !mutability.is_empty() {
121                                            db.note("you might not need `mut` at all");
122                                        }
123                                    });
124             }}
125         }
126     }
127 }
128
129 struct UsedVisitor<'a, 'tcx: 'a> {
130     cx: &'a LateContext<'a, 'tcx>,
131     id: hir::def_id::DefId,
132     used: bool,
133 }
134
135 impl<'a, 'tcx, 'v> hir::intravisit::Visitor<'v> for UsedVisitor<'a, 'tcx> {
136     fn visit_expr(&mut self, expr: &'v hir::Expr) {
137         if_let_chain! {[
138             let hir::ExprPath(None, _) = expr.node,
139             let Some(def) = self.cx.tcx.def_map.borrow().get(&expr.id),
140             self.id == def.def_id(),
141         ], {
142             self.used = true;
143             return;
144         }}
145         hir::intravisit::walk_expr(self, expr);
146     }
147 }
148
149 fn check_assign<'e>(cx: &LateContext, decl: hir::def_id::DefId, block: &'e hir::Block) -> Option<&'e hir::Expr> {
150     if_let_chain! {[
151         let Some(expr) = block.stmts.iter().last(),
152         let hir::StmtSemi(ref expr, _) = expr.node,
153         let hir::ExprAssign(ref var, ref value) = expr.node,
154         let hir::ExprPath(None, _) = var.node,
155         let Some(def) = cx.tcx.def_map.borrow().get(&var.id),
156         decl == def.def_id(),
157     ], {
158         let mut v = UsedVisitor {
159             cx: cx,
160             id: decl,
161             used: false,
162         };
163
164         for s in block.stmts.iter().take(block.stmts.len()-1) {
165             hir::intravisit::walk_stmt(&mut v, s);
166         }
167
168         return if v.used {
169             None
170         } else {
171             Some(value)
172         };
173     }}
174
175     None
176 }