]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/utils/higher.rs
formatting fix
[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(clippy::missing_docs_in_private_items)]
5
6 use crate::utils::{is_expn_of, match_def_path, match_qpath, opt_def_id, paths, resolve_node};
7 use if_chain::if_chain;
8 use rustc::lint::LateContext;
9 use rustc::{hir, ty};
10 use syntax::ast;
11
12 /// Convert a hir binary operator to the corresponding `ast` type.
13 pub fn binop(op: hir::BinOpKind) -> ast::BinOpKind {
14     match op {
15         hir::BinOpKind::Eq => ast::BinOpKind::Eq,
16         hir::BinOpKind::Ge => ast::BinOpKind::Ge,
17         hir::BinOpKind::Gt => ast::BinOpKind::Gt,
18         hir::BinOpKind::Le => ast::BinOpKind::Le,
19         hir::BinOpKind::Lt => ast::BinOpKind::Lt,
20         hir::BinOpKind::Ne => ast::BinOpKind::Ne,
21         hir::BinOpKind::Or => ast::BinOpKind::Or,
22         hir::BinOpKind::Add => ast::BinOpKind::Add,
23         hir::BinOpKind::And => ast::BinOpKind::And,
24         hir::BinOpKind::BitAnd => ast::BinOpKind::BitAnd,
25         hir::BinOpKind::BitOr => ast::BinOpKind::BitOr,
26         hir::BinOpKind::BitXor => ast::BinOpKind::BitXor,
27         hir::BinOpKind::Div => ast::BinOpKind::Div,
28         hir::BinOpKind::Mul => ast::BinOpKind::Mul,
29         hir::BinOpKind::Rem => ast::BinOpKind::Rem,
30         hir::BinOpKind::Shl => ast::BinOpKind::Shl,
31         hir::BinOpKind::Shr => ast::BinOpKind::Shr,
32         hir::BinOpKind::Sub => ast::BinOpKind::Sub,
33     }
34 }
35
36 /// Represent a range akin to `ast::ExprKind::Range`.
37 #[derive(Debug, Copy, Clone)]
38 pub struct Range<'a> {
39     /// The lower bound of the range, or `None` for ranges such as `..X`.
40     pub start: Option<&'a hir::Expr>,
41     /// The upper bound of the range, or `None` for ranges such as `X..`.
42     pub end: Option<&'a hir::Expr>,
43     /// Whether the interval is open or closed.
44     pub limits: ast::RangeLimits,
45 }
46
47 /// Higher a `hir` range to something similar to `ast::ExprKind::Range`.
48 pub fn range<'a, 'b, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'b hir::Expr) -> Option<Range<'b>> {
49     /// Find the field named `name` in the field. Always return `Some` for
50     /// convenience.
51     fn get_field<'a>(name: &str, fields: &'a [hir::Field]) -> Option<&'a hir::Expr> {
52         let expr = &fields.iter().find(|field| field.ident.name == name)?.expr;
53
54         Some(expr)
55     }
56
57     let def_path = match cx.tables.expr_ty(expr).sty {
58         ty::Adt(def, _) => cx.tcx.def_path(def.did),
59         _ => return None,
60     };
61
62     // sanity checks for std::ops::RangeXXXX
63     if def_path.data.len() != 3 {
64         return None;
65     }
66     if def_path.data.get(0)?.data.as_interned_str() != "ops" {
67         return None;
68     }
69     if def_path.data.get(1)?.data.as_interned_str() != "range" {
70         return None;
71     }
72     let type_name = def_path.data.get(2)?.data.as_interned_str();
73     let range_types = [
74         "RangeFrom",
75         "RangeFull",
76         "RangeInclusive",
77         "Range",
78         "RangeTo",
79         "RangeToInclusive",
80     ];
81     if !range_types.contains(&&*type_name.as_str()) {
82         return None;
83     }
84
85     // The range syntax is expanded to literal paths starting with `core` or `std`
86     // depending on
87     // `#[no_std]`. Testing both instead of resolving the paths.
88
89     match expr.node {
90         hir::ExprKind::Path(ref path) => {
91             if match_qpath(path, &paths::RANGE_FULL_STD) || match_qpath(path, &paths::RANGE_FULL) {
92                 Some(Range {
93                     start: None,
94                     end: None,
95                     limits: ast::RangeLimits::HalfOpen,
96                 })
97             } else {
98                 None
99             }
100         },
101         hir::ExprKind::Call(ref path, ref args) => {
102             if let hir::ExprKind::Path(ref path) = path.node {
103                 if match_qpath(path, &paths::RANGE_INCLUSIVE_STD_NEW) || match_qpath(path, &paths::RANGE_INCLUSIVE_NEW)
104                 {
105                     Some(Range {
106                         start: Some(&args[0]),
107                         end: Some(&args[1]),
108                         limits: ast::RangeLimits::Closed,
109                     })
110                 } else {
111                     None
112                 }
113             } else {
114                 None
115             }
116         },
117         hir::ExprKind::Struct(ref path, ref fields, None) => {
118             if match_qpath(path, &paths::RANGE_FROM_STD) || match_qpath(path, &paths::RANGE_FROM) {
119                 Some(Range {
120                     start: Some(get_field("start", fields)?),
121                     end: None,
122                     limits: ast::RangeLimits::HalfOpen,
123                 })
124             } else if match_qpath(path, &paths::RANGE_STD) || match_qpath(path, &paths::RANGE) {
125                 Some(Range {
126                     start: Some(get_field("start", fields)?),
127                     end: Some(get_field("end", fields)?),
128                     limits: ast::RangeLimits::HalfOpen,
129                 })
130             } else if match_qpath(path, &paths::RANGE_TO_INCLUSIVE_STD) || match_qpath(path, &paths::RANGE_TO_INCLUSIVE)
131             {
132                 Some(Range {
133                     start: None,
134                     end: Some(get_field("end", fields)?),
135                     limits: ast::RangeLimits::Closed,
136                 })
137             } else if match_qpath(path, &paths::RANGE_TO_STD) || match_qpath(path, &paths::RANGE_TO) {
138                 Some(Range {
139                     start: None,
140                     end: Some(get_field("end", fields)?),
141                     limits: ast::RangeLimits::HalfOpen,
142                 })
143             } else {
144                 None
145             }
146         },
147         _ => None,
148     }
149 }
150
151 /// Checks if a `let` decl is from a `for` loop desugaring.
152 pub fn is_from_for_desugar(decl: &hir::Decl) -> bool {
153     // This will detect plain for-loops without an actual variable binding:
154     //
155     // ```
156     // for x in some_vec {
157     //     // do stuff
158     // }
159     // ```
160     if_chain! {
161         if let hir::DeclKind::Local(ref loc) = decl.node;
162         if let Some(ref expr) = loc.init;
163         if let hir::ExprKind::Match(_, _, hir::MatchSource::ForLoopDesugar) = expr.node;
164         then {
165             return true;
166         }
167     }
168
169     // This detects a variable binding in for loop to avoid `let_unit_value`
170     // lint (see issue #1964).
171     //
172     // ```
173     // for _ in vec![()] {
174     //     // anything
175     // }
176     // ```
177     if_chain! {
178         if let hir::DeclKind::Local(ref loc) = decl.node;
179         if let hir::LocalSource::ForLoopDesugar = loc.source;
180         then {
181             return true;
182         }
183     }
184
185     false
186 }
187
188 /// Recover the essential nodes of a desugared for loop:
189 /// `for pat in arg { body }` becomes `(pat, arg, body)`.
190 pub fn for_loop(expr: &hir::Expr) -> Option<(&hir::Pat, &hir::Expr, &hir::Expr)> {
191     if_chain! {
192         if let hir::ExprKind::Match(ref iterexpr, ref arms, hir::MatchSource::ForLoopDesugar) = expr.node;
193         if let hir::ExprKind::Call(_, ref iterargs) = iterexpr.node;
194         if iterargs.len() == 1 && arms.len() == 1 && arms[0].guard.is_none();
195         if let hir::ExprKind::Loop(ref block, _, _) = arms[0].body.node;
196         if block.expr.is_none();
197         if let [ _, _, ref let_stmt, ref body ] = *block.stmts;
198         if let hir::StmtKind::Decl(ref decl, _) = let_stmt.node;
199         if let hir::DeclKind::Local(ref decl) = decl.node;
200         if let hir::StmtKind::Expr(ref expr, _) = body.node;
201         then {
202             return Some((&*decl.pat, &iterargs[0], expr));
203         }
204     }
205     None
206 }
207
208 /// Represent the pre-expansion arguments of a `vec!` invocation.
209 pub enum VecArgs<'a> {
210     /// `vec![elem; len]`
211     Repeat(&'a hir::Expr, &'a hir::Expr),
212     /// `vec![a, b, c]`
213     Vec(&'a [hir::Expr]),
214 }
215
216 /// Returns the arguments of the `vec!` macro if this expression was expanded
217 /// from `vec!`.
218 pub fn vec_macro<'e>(cx: &LateContext<'_, '_>, expr: &'e hir::Expr) -> Option<VecArgs<'e>> {
219     if_chain! {
220         if let hir::ExprKind::Call(ref fun, ref args) = expr.node;
221         if let hir::ExprKind::Path(ref path) = fun.node;
222         if is_expn_of(fun.span, "vec").is_some();
223         if let Some(fun_def_id) = opt_def_id(resolve_node(cx, path, fun.hir_id));
224         then {
225             return if match_def_path(cx.tcx, fun_def_id, &paths::VEC_FROM_ELEM) && args.len() == 2 {
226                 // `vec![elem; size]` case
227                 Some(VecArgs::Repeat(&args[0], &args[1]))
228             }
229             else if match_def_path(cx.tcx, fun_def_id, &paths::SLICE_INTO_VEC) && args.len() == 1 {
230                 // `vec![a, b, c]` case
231                 if_chain! {
232                     if let hir::ExprKind::Box(ref boxed) = args[0].node;
233                     if let hir::ExprKind::Array(ref args) = boxed.node;
234                     then {
235                         return Some(VecArgs::Vec(&*args));
236                     }
237                 }
238
239                 None
240             }
241             else {
242                 None
243             };
244         }
245     }
246
247     None
248 }