]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/eval_order_dependence.rs
Auto merge of #4960 - ThibsG:patterns_with_wildcard_#4640, r=flip1995
[rust.git] / clippy_lints / src / eval_order_dependence.rs
1 use crate::utils::{get_parent_expr, span_lint, span_note_and_lint};
2 use if_chain::if_chain;
3 use rustc::declare_lint_pass;
4 use rustc::hir::map::Map;
5 use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
6 use rustc::ty;
7 use rustc_hir::intravisit::{walk_expr, NestedVisitorMap, Visitor};
8 use rustc_hir::*;
9 use rustc_session::declare_tool_lint;
10
11 declare_clippy_lint! {
12     /// **What it does:** Checks for a read and a write to the same variable where
13     /// whether the read occurs before or after the write depends on the evaluation
14     /// order of sub-expressions.
15     ///
16     /// **Why is this bad?** It is often confusing to read. In addition, the
17     /// sub-expression evaluation order for Rust is not well documented.
18     ///
19     /// **Known problems:** Code which intentionally depends on the evaluation
20     /// order, or which is correct for any evaluation order.
21     ///
22     /// **Example:**
23     /// ```rust
24     /// let mut x = 0;
25     /// let a = {
26     ///     x = 1;
27     ///     1
28     /// } + x;
29     /// // Unclear whether a is 1 or 2.
30     /// ```
31     pub EVAL_ORDER_DEPENDENCE,
32     complexity,
33     "whether a variable read occurs before a write depends on sub-expression evaluation order"
34 }
35
36 declare_clippy_lint! {
37     /// **What it does:** Checks for diverging calls that are not match arms or
38     /// statements.
39     ///
40     /// **Why is this bad?** It is often confusing to read. In addition, the
41     /// sub-expression evaluation order for Rust is not well documented.
42     ///
43     /// **Known problems:** Someone might want to use `some_bool || panic!()` as a
44     /// shorthand.
45     ///
46     /// **Example:**
47     /// ```rust,no_run
48     /// # fn b() -> bool { true }
49     /// # fn c() -> bool { true }
50     /// let a = b() || panic!() || c();
51     /// // `c()` is dead, `panic!()` is only called if `b()` returns `false`
52     /// let x = (a, b, c, panic!());
53     /// // can simply be replaced by `panic!()`
54     /// ```
55     pub DIVERGING_SUB_EXPRESSION,
56     complexity,
57     "whether an expression contains a diverging sub expression"
58 }
59
60 declare_lint_pass!(EvalOrderDependence => [EVAL_ORDER_DEPENDENCE, DIVERGING_SUB_EXPRESSION]);
61
62 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for EvalOrderDependence {
63     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr<'_>) {
64         // Find a write to a local variable.
65         match expr.kind {
66             ExprKind::Assign(ref lhs, ..) | ExprKind::AssignOp(_, ref lhs, _) => {
67                 if let ExprKind::Path(ref qpath) = lhs.kind {
68                     if let QPath::Resolved(_, ref path) = *qpath {
69                         if path.segments.len() == 1 {
70                             if let def::Res::Local(var) = cx.tables.qpath_res(qpath, lhs.hir_id) {
71                                 let mut visitor = ReadVisitor {
72                                     cx,
73                                     var,
74                                     write_expr: expr,
75                                     last_expr: expr,
76                                 };
77                                 check_for_unsequenced_reads(&mut visitor);
78                             }
79                         }
80                     }
81                 }
82             },
83             _ => {},
84         }
85     }
86     fn check_stmt(&mut self, cx: &LateContext<'a, 'tcx>, stmt: &'tcx Stmt<'_>) {
87         match stmt.kind {
88             StmtKind::Local(ref local) => {
89                 if let Local { init: Some(ref e), .. } = **local {
90                     DivergenceVisitor { cx }.visit_expr(e);
91                 }
92             },
93             StmtKind::Expr(ref e) | StmtKind::Semi(ref e) => DivergenceVisitor { cx }.maybe_walk_expr(e),
94             StmtKind::Item(..) => {},
95         }
96     }
97 }
98
99 struct DivergenceVisitor<'a, 'tcx> {
100     cx: &'a LateContext<'a, 'tcx>,
101 }
102
103 impl<'a, 'tcx> DivergenceVisitor<'a, 'tcx> {
104     fn maybe_walk_expr(&mut self, e: &'tcx Expr<'_>) {
105         match e.kind {
106             ExprKind::Closure(..) => {},
107             ExprKind::Match(ref e, arms, _) => {
108                 self.visit_expr(e);
109                 for arm in arms {
110                     if let Some(ref guard) = arm.guard {
111                         match guard {
112                             Guard::If(if_expr) => self.visit_expr(if_expr),
113                         }
114                     }
115                     // make sure top level arm expressions aren't linted
116                     self.maybe_walk_expr(&*arm.body);
117                 }
118             },
119             _ => walk_expr(self, e),
120         }
121     }
122     fn report_diverging_sub_expr(&mut self, e: &Expr<'_>) {
123         span_lint(self.cx, DIVERGING_SUB_EXPRESSION, e.span, "sub-expression diverges");
124     }
125 }
126
127 impl<'a, 'tcx> Visitor<'tcx> for DivergenceVisitor<'a, 'tcx> {
128     type Map = Map<'tcx>;
129
130     fn visit_expr(&mut self, e: &'tcx Expr<'_>) {
131         match e.kind {
132             ExprKind::Continue(_) | ExprKind::Break(_, _) | ExprKind::Ret(_) => self.report_diverging_sub_expr(e),
133             ExprKind::Call(ref func, _) => {
134                 let typ = self.cx.tables.expr_ty(func);
135                 match typ.kind {
136                     ty::FnDef(..) | ty::FnPtr(_) => {
137                         let sig = typ.fn_sig(self.cx.tcx);
138                         if let ty::Never = self.cx.tcx.erase_late_bound_regions(&sig).output().kind {
139                             self.report_diverging_sub_expr(e);
140                         }
141                     },
142                     _ => {},
143                 }
144             },
145             ExprKind::MethodCall(..) => {
146                 let borrowed_table = self.cx.tables;
147                 if borrowed_table.expr_ty(e).is_never() {
148                     self.report_diverging_sub_expr(e);
149                 }
150             },
151             _ => {
152                 // do not lint expressions referencing objects of type `!`, as that required a
153                 // diverging expression
154                 // to begin with
155             },
156         }
157         self.maybe_walk_expr(e);
158     }
159     fn visit_block(&mut self, _: &'tcx Block<'_>) {
160         // don't continue over blocks, LateLintPass already does that
161     }
162     fn nested_visit_map(&mut self) -> NestedVisitorMap<'_, Self::Map> {
163         NestedVisitorMap::None
164     }
165 }
166
167 /// Walks up the AST from the given write expression (`vis.write_expr`) looking
168 /// for reads to the same variable that are unsequenced relative to the write.
169 ///
170 /// This means reads for which there is a common ancestor between the read and
171 /// the write such that
172 ///
173 /// * evaluating the ancestor necessarily evaluates both the read and the write (for example, `&x`
174 ///   and `|| x = 1` don't necessarily evaluate `x`), and
175 ///
176 /// * which one is evaluated first depends on the order of sub-expression evaluation. Blocks, `if`s,
177 ///   loops, `match`es, and the short-circuiting logical operators are considered to have a defined
178 ///   evaluation order.
179 ///
180 /// When such a read is found, the lint is triggered.
181 fn check_for_unsequenced_reads(vis: &mut ReadVisitor<'_, '_>) {
182     let map = &vis.cx.tcx.hir();
183     let mut cur_id = vis.write_expr.hir_id;
184     loop {
185         let parent_id = map.get_parent_node(cur_id);
186         if parent_id == cur_id {
187             break;
188         }
189         let parent_node = match map.find(parent_id) {
190             Some(parent) => parent,
191             None => break,
192         };
193
194         let stop_early = match parent_node {
195             Node::Expr(expr) => check_expr(vis, expr),
196             Node::Stmt(stmt) => check_stmt(vis, stmt),
197             Node::Item(_) => {
198                 // We reached the top of the function, stop.
199                 break;
200             },
201             _ => StopEarly::KeepGoing,
202         };
203         match stop_early {
204             StopEarly::Stop => break,
205             StopEarly::KeepGoing => {},
206         }
207
208         cur_id = parent_id;
209     }
210 }
211
212 /// Whether to stop early for the loop in `check_for_unsequenced_reads`. (If
213 /// `check_expr` weren't an independent function, this would be unnecessary and
214 /// we could just use `break`).
215 enum StopEarly {
216     KeepGoing,
217     Stop,
218 }
219
220 fn check_expr<'a, 'tcx>(vis: &mut ReadVisitor<'a, 'tcx>, expr: &'tcx Expr<'_>) -> StopEarly {
221     if expr.hir_id == vis.last_expr.hir_id {
222         return StopEarly::KeepGoing;
223     }
224
225     match expr.kind {
226         ExprKind::Array(_)
227         | ExprKind::Tup(_)
228         | ExprKind::MethodCall(..)
229         | ExprKind::Call(_, _)
230         | ExprKind::Assign(..)
231         | ExprKind::Index(_, _)
232         | ExprKind::Repeat(_, _)
233         | ExprKind::Struct(_, _, _) => {
234             walk_expr(vis, expr);
235         },
236         ExprKind::Binary(op, _, _) | ExprKind::AssignOp(op, _, _) => {
237             if op.node == BinOpKind::And || op.node == BinOpKind::Or {
238                 // x && y and x || y always evaluate x first, so these are
239                 // strictly sequenced.
240             } else {
241                 walk_expr(vis, expr);
242             }
243         },
244         ExprKind::Closure(_, _, _, _, _) => {
245             // Either
246             //
247             // * `var` is defined in the closure body, in which case we've reached the top of the enclosing
248             //   function and can stop, or
249             //
250             // * `var` is captured by the closure, in which case, because evaluating a closure does not evaluate
251             //   its body, we don't necessarily have a write, so we need to stop to avoid generating false
252             //   positives.
253             //
254             // This is also the only place we need to stop early (grrr).
255             return StopEarly::Stop;
256         },
257         // All other expressions either have only one child or strictly
258         // sequence the evaluation order of their sub-expressions.
259         _ => {},
260     }
261
262     vis.last_expr = expr;
263
264     StopEarly::KeepGoing
265 }
266
267 fn check_stmt<'a, 'tcx>(vis: &mut ReadVisitor<'a, 'tcx>, stmt: &'tcx Stmt<'_>) -> StopEarly {
268     match stmt.kind {
269         StmtKind::Expr(ref expr) | StmtKind::Semi(ref expr) => check_expr(vis, expr),
270         // If the declaration is of a local variable, check its initializer
271         // expression if it has one. Otherwise, keep going.
272         StmtKind::Local(ref local) => local
273             .init
274             .as_ref()
275             .map_or(StopEarly::KeepGoing, |expr| check_expr(vis, expr)),
276         _ => StopEarly::KeepGoing,
277     }
278 }
279
280 /// A visitor that looks for reads from a variable.
281 struct ReadVisitor<'a, 'tcx> {
282     cx: &'a LateContext<'a, 'tcx>,
283     /// The ID of the variable we're looking for.
284     var: HirId,
285     /// The expressions where the write to the variable occurred (for reporting
286     /// in the lint).
287     write_expr: &'tcx Expr<'tcx>,
288     /// The last (highest in the AST) expression we've checked, so we know not
289     /// to recheck it.
290     last_expr: &'tcx Expr<'tcx>,
291 }
292
293 impl<'a, 'tcx> Visitor<'tcx> for ReadVisitor<'a, 'tcx> {
294     type Map = Map<'tcx>;
295
296     fn visit_expr(&mut self, expr: &'tcx Expr<'_>) {
297         if expr.hir_id == self.last_expr.hir_id {
298             return;
299         }
300
301         match expr.kind {
302             ExprKind::Path(ref qpath) => {
303                 if_chain! {
304                     if let QPath::Resolved(None, ref path) = *qpath;
305                     if path.segments.len() == 1;
306                     if let def::Res::Local(local_id) = self.cx.tables.qpath_res(qpath, expr.hir_id);
307                     if local_id == self.var;
308                     // Check that this is a read, not a write.
309                     if !is_in_assignment_position(self.cx, expr);
310                     then {
311                         span_note_and_lint(
312                             self.cx,
313                             EVAL_ORDER_DEPENDENCE,
314                             expr.span,
315                             "unsequenced read of a variable",
316                             self.write_expr.span,
317                             "whether read occurs before this write depends on evaluation order"
318                         );
319                     }
320                 }
321             }
322             // We're about to descend a closure. Since we don't know when (or
323             // if) the closure will be evaluated, any reads in it might not
324             // occur here (or ever). Like above, bail to avoid false positives.
325             ExprKind::Closure(_, _, _, _, _) |
326
327             // We want to avoid a false positive when a variable name occurs
328             // only to have its address taken, so we stop here. Technically,
329             // this misses some weird cases, eg.
330             //
331             // ```rust
332             // let mut x = 0;
333             // let a = foo(&{x = 1; x}, x);
334             // ```
335             //
336             // TODO: fix this
337             ExprKind::AddrOf(_, _, _) => {
338                 return;
339             }
340             _ => {}
341         }
342
343         walk_expr(self, expr);
344     }
345     fn nested_visit_map(&mut self) -> NestedVisitorMap<'_, Self::Map> {
346         NestedVisitorMap::None
347     }
348 }
349
350 /// Returns `true` if `expr` is the LHS of an assignment, like `expr = ...`.
351 fn is_in_assignment_position(cx: &LateContext<'_, '_>, expr: &Expr<'_>) -> bool {
352     if let Some(parent) = get_parent_expr(cx, expr) {
353         if let ExprKind::Assign(ref lhs, ..) = parent.kind {
354             return lhs.hir_id == expr.hir_id;
355         }
356     }
357     false
358 }