]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/utils/higher.rs
Merge pull request #2120 from sinkuu/implicit_hasher
[rust.git] / clippy_lints / src / utils / higher.rs
1 //! This module contains functions for retrieve the original AST from lowered
2 //! `hir`.
3
4 #![deny(missing_docs_in_private_items)]
5
6 use rustc::hir;
7 use rustc::lint::LateContext;
8 use syntax::ast;
9 use utils::{is_expn_of, match_def_path, match_qpath, paths, resolve_node, opt_def_id};
10
11 /// Convert a hir binary operator to the corresponding `ast` type.
12 pub fn binop(op: hir::BinOp_) -> ast::BinOpKind {
13     match op {
14         hir::BiEq => ast::BinOpKind::Eq,
15         hir::BiGe => ast::BinOpKind::Ge,
16         hir::BiGt => ast::BinOpKind::Gt,
17         hir::BiLe => ast::BinOpKind::Le,
18         hir::BiLt => ast::BinOpKind::Lt,
19         hir::BiNe => ast::BinOpKind::Ne,
20         hir::BiOr => ast::BinOpKind::Or,
21         hir::BiAdd => ast::BinOpKind::Add,
22         hir::BiAnd => ast::BinOpKind::And,
23         hir::BiBitAnd => ast::BinOpKind::BitAnd,
24         hir::BiBitOr => ast::BinOpKind::BitOr,
25         hir::BiBitXor => ast::BinOpKind::BitXor,
26         hir::BiDiv => ast::BinOpKind::Div,
27         hir::BiMul => ast::BinOpKind::Mul,
28         hir::BiRem => ast::BinOpKind::Rem,
29         hir::BiShl => ast::BinOpKind::Shl,
30         hir::BiShr => ast::BinOpKind::Shr,
31         hir::BiSub => ast::BinOpKind::Sub,
32     }
33 }
34
35 /// Represent a range akin to `ast::ExprKind::Range`.
36 #[derive(Debug, Copy, Clone)]
37 pub struct Range<'a> {
38     /// The lower bound of the range, or `None` for ranges such as `..X`.
39     pub start: Option<&'a hir::Expr>,
40     /// The upper bound of the range, or `None` for ranges such as `X..`.
41     pub end: Option<&'a hir::Expr>,
42     /// Whether the interval is open or closed.
43     pub limits: ast::RangeLimits,
44 }
45
46 /// Higher a `hir` range to something similar to `ast::ExprKind::Range`.
47 pub fn range(expr: &hir::Expr) -> Option<Range> {
48     /// Find the field named `name` in the field. Always return `Some` for
49     /// convenience.
50     fn get_field<'a>(name: &str, fields: &'a [hir::Field]) -> Option<&'a hir::Expr> {
51         let expr = &fields
52             .iter()
53             .find(|field| field.name.node == name)?
54             .expr;
55
56         Some(expr)
57     }
58
59     // The range syntax is expanded to literal paths starting with `core` or `std`
60     // depending on
61     // `#[no_std]`. Testing both instead of resolving the paths.
62
63     match expr.node {
64         hir::ExprPath(ref path) => {
65             if match_qpath(path, &paths::RANGE_FULL_STD) || match_qpath(path, &paths::RANGE_FULL) {
66                 Some(Range {
67                     start: None,
68                     end: None,
69                     limits: ast::RangeLimits::HalfOpen,
70                 })
71             } else {
72                 None
73             }
74         },
75         hir::ExprStruct(ref path, ref fields, None) => if match_qpath(path, &paths::RANGE_FROM_STD) ||
76             match_qpath(path, &paths::RANGE_FROM)
77         {
78             Some(Range {
79                 start: Some(get_field("start", fields)?),
80                 end: None,
81                 limits: ast::RangeLimits::HalfOpen,
82             })
83         } else if match_qpath(path, &paths::RANGE_INCLUSIVE_STD) || match_qpath(path, &paths::RANGE_INCLUSIVE) {
84             Some(Range {
85                 start: Some(get_field("start", fields)?),
86                 end: Some(get_field("end", fields)?),
87                 limits: ast::RangeLimits::Closed,
88             })
89         } else if match_qpath(path, &paths::RANGE_STD) || match_qpath(path, &paths::RANGE) {
90             Some(Range {
91                 start: Some(get_field("start", fields)?),
92                 end: Some(get_field("end", fields)?),
93                 limits: ast::RangeLimits::HalfOpen,
94             })
95         } else if match_qpath(path, &paths::RANGE_TO_INCLUSIVE_STD) || match_qpath(path, &paths::RANGE_TO_INCLUSIVE) {
96             Some(Range {
97                 start: None,
98                 end: Some(get_field("end", fields)?),
99                 limits: ast::RangeLimits::Closed,
100             })
101         } else if match_qpath(path, &paths::RANGE_TO_STD) || match_qpath(path, &paths::RANGE_TO) {
102             Some(Range {
103                 start: None,
104                 end: Some(get_field("end", fields)?),
105                 limits: ast::RangeLimits::HalfOpen,
106             })
107         } else {
108             None
109         },
110         _ => None,
111     }
112 }
113
114 /// Checks if a `let` decl is from a `for` loop desugaring.
115 pub fn is_from_for_desugar(decl: &hir::Decl) -> bool {
116     // This will detect plain for-loops without an actual variable binding:
117     //
118     // ```
119     // for x in some_vec {
120     //   // do stuff
121     // }
122     // ```
123     if_let_chain! {[
124         let hir::DeclLocal(ref loc) = decl.node,
125         let Some(ref expr) = loc.init,
126         let hir::ExprMatch(_, _, hir::MatchSource::ForLoopDesugar) = expr.node,
127     ], {
128         return true;
129     }}
130
131     // This detects a variable binding in for loop to avoid `let_unit_value`
132     // lint (see issue #1964).
133     //
134     // ```
135     // for _ in vec![()] {
136     //   // anything
137     // }
138     // ```
139     if_let_chain! {[
140         let hir::DeclLocal(ref loc) = decl.node,
141         let hir::LocalSource::ForLoopDesugar = loc.source,
142     ], {
143         return true;
144     }}
145
146     false
147 }
148
149 /// Recover the essential nodes of a desugared for loop:
150 /// `for pat in arg { body }` becomes `(pat, arg, body)`.
151 pub fn for_loop(expr: &hir::Expr) -> Option<(&hir::Pat, &hir::Expr, &hir::Expr)> {
152     if_let_chain! {[
153         let hir::ExprMatch(ref iterexpr, ref arms, hir::MatchSource::ForLoopDesugar) = expr.node,
154         let hir::ExprCall(_, ref iterargs) = iterexpr.node,
155         iterargs.len() == 1 && arms.len() == 1 && arms[0].guard.is_none(),
156         let hir::ExprLoop(ref block, _, _) = arms[0].body.node,
157         block.expr.is_none(),
158         let [ _, _, ref let_stmt, ref body ] = *block.stmts,
159         let hir::StmtDecl(ref decl, _) = let_stmt.node,
160         let hir::DeclLocal(ref decl) = decl.node,
161         let hir::StmtExpr(ref expr, _) = body.node,
162     ], {
163         return Some((&*decl.pat, &iterargs[0], expr));
164     }}
165     None
166 }
167
168 /// Represent the pre-expansion arguments of a `vec!` invocation.
169 pub enum VecArgs<'a> {
170     /// `vec![elem; len]`
171     Repeat(&'a hir::Expr, &'a hir::Expr),
172     /// `vec![a, b, c]`
173     Vec(&'a [hir::Expr]),
174 }
175
176 /// Returns the arguments of the `vec!` macro if this expression was expanded
177 /// from `vec!`.
178 pub fn vec_macro<'e>(cx: &LateContext, expr: &'e hir::Expr) -> Option<VecArgs<'e>> {
179     if_let_chain!{[
180         let hir::ExprCall(ref fun, ref args) = expr.node,
181         let hir::ExprPath(ref path) = fun.node,
182         is_expn_of(fun.span, "vec").is_some(),
183         let Some(fun_def_id) = opt_def_id(resolve_node(cx, path, fun.hir_id)),
184     ], {
185         return if match_def_path(cx.tcx, fun_def_id, &paths::VEC_FROM_ELEM) && args.len() == 2 {
186             // `vec![elem; size]` case
187             Some(VecArgs::Repeat(&args[0], &args[1]))
188         }
189         else if match_def_path(cx.tcx, fun_def_id, &paths::SLICE_INTO_VEC) && args.len() == 1 {
190             // `vec![a, b, c]` case
191             if_let_chain!{[
192                 let hir::ExprBox(ref boxed) = args[0].node,
193                 let hir::ExprArray(ref args) = boxed.node
194             ], {
195                 return Some(VecArgs::Vec(&*args));
196             }}
197
198             None
199         }
200         else {
201             None
202         };
203     }}
204
205     None
206 }