]> git.lizzy.rs Git - rust.git/blob - clippy_utils/src/lib.rs
Auto merge of #7085 - Jarcho:manual_map_autoderef, r=giraffate
[rust.git] / clippy_utils / src / lib.rs
1 #![feature(box_patterns)]
2 #![feature(in_band_lifetimes)]
3 #![feature(iter_zip)]
4 #![feature(rustc_private)]
5 #![recursion_limit = "512"]
6 #![allow(clippy::missing_errors_doc, clippy::missing_panics_doc, clippy::must_use_candidate)]
7
8 // FIXME: switch to something more ergonomic here, once available.
9 // (Currently there is no way to opt into sysroot crates without `extern crate`.)
10 extern crate rustc_ast;
11 extern crate rustc_ast_pretty;
12 extern crate rustc_attr;
13 extern crate rustc_data_structures;
14 extern crate rustc_errors;
15 extern crate rustc_hir;
16 extern crate rustc_hir_pretty;
17 extern crate rustc_infer;
18 extern crate rustc_lexer;
19 extern crate rustc_lint;
20 extern crate rustc_middle;
21 extern crate rustc_mir;
22 extern crate rustc_session;
23 extern crate rustc_span;
24 extern crate rustc_target;
25 extern crate rustc_trait_selection;
26 extern crate rustc_typeck;
27
28 #[macro_use]
29 pub mod sym_helper;
30
31 #[allow(clippy::module_name_repetitions)]
32 pub mod ast_utils;
33 pub mod attrs;
34 pub mod camel_case;
35 pub mod comparisons;
36 pub mod consts;
37 pub mod diagnostics;
38 pub mod eager_or_lazy;
39 pub mod higher;
40 mod hir_utils;
41 pub mod numeric_literal;
42 pub mod paths;
43 pub mod ptr;
44 pub mod qualify_min_const_fn;
45 pub mod source;
46 pub mod sugg;
47 pub mod ty;
48 pub mod usage;
49 pub mod visitors;
50
51 pub use self::attrs::*;
52 pub use self::hir_utils::{both, count_eq, eq_expr_value, over, SpanlessEq, SpanlessHash};
53
54 use std::collections::hash_map::Entry;
55 use std::hash::BuildHasherDefault;
56
57 use if_chain::if_chain;
58 use rustc_ast::ast::{self, Attribute, BorrowKind, LitKind};
59 use rustc_data_structures::fx::FxHashMap;
60 use rustc_hir as hir;
61 use rustc_hir::def::{DefKind, Res};
62 use rustc_hir::def_id::{DefId, LOCAL_CRATE};
63 use rustc_hir::intravisit::{self, NestedVisitorMap, Visitor};
64 use rustc_hir::LangItem::{ResultErr, ResultOk};
65 use rustc_hir::{
66     def, Arm, BindingAnnotation, Block, Body, Constness, Expr, ExprKind, FnDecl, GenericArgs, HirId, Impl, ImplItem,
67     ImplItemKind, Item, ItemKind, LangItem, MatchSource, Node, Param, Pat, PatKind, Path, PathSegment, QPath,
68     TraitItem, TraitItemKind, TraitRef, TyKind,
69 };
70 use rustc_lint::{LateContext, Level, Lint, LintContext};
71 use rustc_middle::hir::exports::Export;
72 use rustc_middle::hir::map::Map;
73 use rustc_middle::ty as rustc_ty;
74 use rustc_middle::ty::{layout::IntegerExt, DefIdTree, Ty, TyCtxt, TypeFoldable};
75 use rustc_semver::RustcVersion;
76 use rustc_session::Session;
77 use rustc_span::hygiene::{ExpnKind, MacroKind};
78 use rustc_span::source_map::original_sp;
79 use rustc_span::sym;
80 use rustc_span::symbol::{kw, Symbol};
81 use rustc_span::{Span, DUMMY_SP};
82 use rustc_target::abi::Integer;
83
84 use crate::consts::{constant, Constant};
85 use crate::ty::is_recursively_primitive_type;
86
87 pub fn parse_msrv(msrv: &str, sess: Option<&Session>, span: Option<Span>) -> Option<RustcVersion> {
88     if let Ok(version) = RustcVersion::parse(msrv) {
89         return Some(version);
90     } else if let Some(sess) = sess {
91         if let Some(span) = span {
92             sess.span_err(span, &format!("`{}` is not a valid Rust version", msrv));
93         }
94     }
95     None
96 }
97
98 pub fn meets_msrv(msrv: Option<&RustcVersion>, lint_msrv: &RustcVersion) -> bool {
99     msrv.map_or(true, |msrv| msrv.meets(*lint_msrv))
100 }
101
102 #[macro_export]
103 macro_rules! extract_msrv_attr {
104     (LateContext) => {
105         extract_msrv_attr!(@LateContext, ());
106     };
107     (EarlyContext) => {
108         extract_msrv_attr!(@EarlyContext);
109     };
110     (@$context:ident$(, $call:tt)?) => {
111         fn enter_lint_attrs(&mut self, cx: &rustc_lint::$context<'tcx>, attrs: &'tcx [rustc_ast::ast::Attribute]) {
112             use $crate::get_unique_inner_attr;
113             match get_unique_inner_attr(cx.sess$($call)?, attrs, "msrv") {
114                 Some(msrv_attr) => {
115                     if let Some(msrv) = msrv_attr.value_str() {
116                         self.msrv = $crate::parse_msrv(
117                             &msrv.to_string(),
118                             Some(cx.sess$($call)?),
119                             Some(msrv_attr.span),
120                         );
121                     } else {
122                         cx.sess$($call)?.span_err(msrv_attr.span, "bad clippy attribute");
123                     }
124                 },
125                 _ => (),
126             }
127         }
128     };
129 }
130
131 /// Returns `true` if the two spans come from differing expansions (i.e., one is
132 /// from a macro and one isn't).
133 #[must_use]
134 pub fn differing_macro_contexts(lhs: Span, rhs: Span) -> bool {
135     rhs.ctxt() != lhs.ctxt()
136 }
137
138 /// If the given expression is a local binding, find the initializer expression.
139 /// If that initializer expression is another local binding, find its initializer again.
140 /// This process repeats as long as possible (but usually no more than once). Initializer
141 /// expressions with adjustments are ignored. If this is not desired, use [`find_binding_init`]
142 /// instead.
143 ///
144 /// Examples:
145 /// ```ignore
146 /// let abc = 1;
147 /// //        ^ output
148 /// let def = abc;
149 /// dbg!(def)
150 /// //   ^^^ input
151 ///
152 /// // or...
153 /// let abc = 1;
154 /// let def = abc + 2;
155 /// //        ^^^^^^^ output
156 /// dbg!(def)
157 /// //   ^^^ input
158 /// ```
159 pub fn expr_or_init<'a, 'b, 'tcx: 'b>(cx: &LateContext<'tcx>, mut expr: &'a Expr<'b>) -> &'a Expr<'b> {
160     while let Some(init) = path_to_local(expr)
161         .and_then(|id| find_binding_init(cx, id))
162         .filter(|init| cx.typeck_results().expr_adjustments(init).is_empty())
163     {
164         expr = init;
165     }
166     expr
167 }
168
169 /// Finds the initializer expression for a local binding. Returns `None` if the binding is mutable.
170 /// By only considering immutable bindings, we guarantee that the returned expression represents the
171 /// value of the binding wherever it is referenced.
172 ///
173 /// Example: For `let x = 1`, if the `HirId` of `x` is provided, the `Expr` `1` is returned.
174 /// Note: If you have an expression that references a binding `x`, use `path_to_local` to get the
175 /// canonical binding `HirId`.
176 pub fn find_binding_init<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx Expr<'tcx>> {
177     let hir = cx.tcx.hir();
178     if_chain! {
179         if let Some(Node::Binding(pat)) = hir.find(hir_id);
180         if matches!(pat.kind, PatKind::Binding(BindingAnnotation::Unannotated, ..));
181         let parent = hir.get_parent_node(hir_id);
182         if let Some(Node::Local(local)) = hir.find(parent);
183         then {
184             return local.init;
185         }
186     }
187     None
188 }
189
190 /// Returns `true` if the given `NodeId` is inside a constant context
191 ///
192 /// # Example
193 ///
194 /// ```rust,ignore
195 /// if in_constant(cx, expr.hir_id) {
196 ///     // Do something
197 /// }
198 /// ```
199 pub fn in_constant(cx: &LateContext<'_>, id: HirId) -> bool {
200     let parent_id = cx.tcx.hir().get_parent_item(id);
201     match cx.tcx.hir().get(parent_id) {
202         Node::Item(&Item {
203             kind: ItemKind::Const(..) | ItemKind::Static(..),
204             ..
205         })
206         | Node::TraitItem(&TraitItem {
207             kind: TraitItemKind::Const(..),
208             ..
209         })
210         | Node::ImplItem(&ImplItem {
211             kind: ImplItemKind::Const(..),
212             ..
213         })
214         | Node::AnonConst(_) => true,
215         Node::Item(&Item {
216             kind: ItemKind::Fn(ref sig, ..),
217             ..
218         })
219         | Node::ImplItem(&ImplItem {
220             kind: ImplItemKind::Fn(ref sig, _),
221             ..
222         }) => sig.header.constness == Constness::Const,
223         _ => false,
224     }
225 }
226
227 /// Checks if a `QPath` resolves to a constructor of a `LangItem`.
228 /// For example, use this to check whether a function call or a pattern is `Some(..)`.
229 pub fn is_lang_ctor(cx: &LateContext<'_>, qpath: &QPath<'_>, lang_item: LangItem) -> bool {
230     if let QPath::Resolved(_, path) = qpath {
231         if let Res::Def(DefKind::Ctor(..), ctor_id) = path.res {
232             if let Ok(item_id) = cx.tcx.lang_items().require(lang_item) {
233                 return cx.tcx.parent(ctor_id) == Some(item_id);
234             }
235         }
236     }
237     false
238 }
239
240 /// Returns `true` if this `span` was expanded by any macro.
241 #[must_use]
242 pub fn in_macro(span: Span) -> bool {
243     if span.from_expansion() {
244         !matches!(span.ctxt().outer_expn_data().kind, ExpnKind::Desugaring(..))
245     } else {
246         false
247     }
248 }
249
250 /// Checks if given pattern is a wildcard (`_`)
251 pub fn is_wild<'tcx>(pat: &impl std::ops::Deref<Target = Pat<'tcx>>) -> bool {
252     matches!(pat.kind, PatKind::Wild)
253 }
254
255 /// Checks if the first type parameter is a lang item.
256 pub fn is_ty_param_lang_item(cx: &LateContext<'_>, qpath: &QPath<'tcx>, item: LangItem) -> Option<&'tcx hir::Ty<'tcx>> {
257     let ty = get_qpath_generic_tys(qpath).next()?;
258
259     if let TyKind::Path(qpath) = &ty.kind {
260         cx.qpath_res(qpath, ty.hir_id)
261             .opt_def_id()
262             .map_or(false, |id| {
263                 cx.tcx.lang_items().require(item).map_or(false, |lang_id| id == lang_id)
264             })
265             .then(|| ty)
266     } else {
267         None
268     }
269 }
270
271 /// Checks if the first type parameter is a diagnostic item.
272 pub fn is_ty_param_diagnostic_item(
273     cx: &LateContext<'_>,
274     qpath: &QPath<'tcx>,
275     item: Symbol,
276 ) -> Option<&'tcx hir::Ty<'tcx>> {
277     let ty = get_qpath_generic_tys(qpath).next()?;
278
279     if let TyKind::Path(qpath) = &ty.kind {
280         cx.qpath_res(qpath, ty.hir_id)
281             .opt_def_id()
282             .map_or(false, |id| cx.tcx.is_diagnostic_item(item, id))
283             .then(|| ty)
284     } else {
285         None
286     }
287 }
288
289 /// Checks if the method call given in `expr` belongs to the given trait.
290 /// This is a deprecated function, consider using [`is_trait_method`].
291 pub fn match_trait_method(cx: &LateContext<'_>, expr: &Expr<'_>, path: &[&str]) -> bool {
292     let def_id = cx.typeck_results().type_dependent_def_id(expr.hir_id).unwrap();
293     let trt_id = cx.tcx.trait_of_item(def_id);
294     trt_id.map_or(false, |trt_id| match_def_path(cx, trt_id, path))
295 }
296
297 /// Checks if a method is defined in an impl of a diagnostic item
298 pub fn is_diag_item_method(cx: &LateContext<'_>, def_id: DefId, diag_item: Symbol) -> bool {
299     if let Some(impl_did) = cx.tcx.impl_of_method(def_id) {
300         if let Some(adt) = cx.tcx.type_of(impl_did).ty_adt_def() {
301             return cx.tcx.is_diagnostic_item(diag_item, adt.did);
302         }
303     }
304     false
305 }
306
307 /// Checks if a method is in a diagnostic item trait
308 pub fn is_diag_trait_item(cx: &LateContext<'_>, def_id: DefId, diag_item: Symbol) -> bool {
309     if let Some(trait_did) = cx.tcx.trait_of_item(def_id) {
310         return cx.tcx.is_diagnostic_item(diag_item, trait_did);
311     }
312     false
313 }
314
315 /// Checks if the method call given in `expr` belongs to the given trait.
316 pub fn is_trait_method(cx: &LateContext<'_>, expr: &Expr<'_>, diag_item: Symbol) -> bool {
317     cx.typeck_results()
318         .type_dependent_def_id(expr.hir_id)
319         .map_or(false, |did| is_diag_trait_item(cx, did, diag_item))
320 }
321
322 /// Checks if an expression references a variable of the given name.
323 pub fn match_var(expr: &Expr<'_>, var: Symbol) -> bool {
324     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.kind {
325         if let [p] = path.segments {
326             return p.ident.name == var;
327         }
328     }
329     false
330 }
331
332 pub fn last_path_segment<'tcx>(path: &QPath<'tcx>) -> &'tcx PathSegment<'tcx> {
333     match *path {
334         QPath::Resolved(_, ref path) => path.segments.last().expect("A path must have at least one segment"),
335         QPath::TypeRelative(_, ref seg) => seg,
336         QPath::LangItem(..) => panic!("last_path_segment: lang item has no path segments"),
337     }
338 }
339
340 pub fn get_qpath_generics(path: &QPath<'tcx>) -> Option<&'tcx GenericArgs<'tcx>> {
341     match path {
342         QPath::Resolved(_, p) => p.segments.last().and_then(|s| s.args),
343         QPath::TypeRelative(_, s) => s.args,
344         QPath::LangItem(..) => None,
345     }
346 }
347
348 pub fn get_qpath_generic_tys(path: &QPath<'tcx>) -> impl Iterator<Item = &'tcx hir::Ty<'tcx>> {
349     get_qpath_generics(path)
350         .map_or([].as_ref(), |a| a.args)
351         .iter()
352         .filter_map(|a| {
353             if let hir::GenericArg::Type(ty) = a {
354                 Some(ty)
355             } else {
356                 None
357             }
358         })
359 }
360
361 pub fn single_segment_path<'tcx>(path: &QPath<'tcx>) -> Option<&'tcx PathSegment<'tcx>> {
362     match *path {
363         QPath::Resolved(_, ref path) => path.segments.get(0),
364         QPath::TypeRelative(_, ref seg) => Some(seg),
365         QPath::LangItem(..) => None,
366     }
367 }
368
369 /// THIS METHOD IS DEPRECATED and will eventually be removed since it does not match against the
370 /// entire path or resolved `DefId`. Prefer using `match_def_path`. Consider getting a `DefId` from
371 /// `QPath::Resolved.1.res.opt_def_id()`.
372 ///
373 /// Matches a `QPath` against a slice of segment string literals.
374 ///
375 /// There is also `match_path` if you are dealing with a `rustc_hir::Path` instead of a
376 /// `rustc_hir::QPath`.
377 ///
378 /// # Examples
379 /// ```rust,ignore
380 /// match_qpath(path, &["std", "rt", "begin_unwind"])
381 /// ```
382 pub fn match_qpath(path: &QPath<'_>, segments: &[&str]) -> bool {
383     match *path {
384         QPath::Resolved(_, ref path) => match_path(path, segments),
385         QPath::TypeRelative(ref ty, ref segment) => match ty.kind {
386             TyKind::Path(ref inner_path) => {
387                 if let [prefix @ .., end] = segments {
388                     if match_qpath(inner_path, prefix) {
389                         return segment.ident.name.as_str() == *end;
390                     }
391                 }
392                 false
393             },
394             _ => false,
395         },
396         QPath::LangItem(..) => false,
397     }
398 }
399
400 /// If the expression is a path, resolve it. Otherwise, return `Res::Err`.
401 pub fn expr_path_res(cx: &LateContext<'_>, expr: &Expr<'_>) -> Res {
402     if let ExprKind::Path(p) = &expr.kind {
403         cx.qpath_res(p, expr.hir_id)
404     } else {
405         Res::Err
406     }
407 }
408
409 /// Resolves the path to a `DefId` and checks if it matches the given path.
410 pub fn is_qpath_def_path(cx: &LateContext<'_>, path: &QPath<'_>, hir_id: HirId, segments: &[&str]) -> bool {
411     cx.qpath_res(path, hir_id)
412         .opt_def_id()
413         .map_or(false, |id| match_def_path(cx, id, segments))
414 }
415
416 /// If the expression is a path, resolves it to a `DefId` and checks if it matches the given path.
417 pub fn is_expr_path_def_path(cx: &LateContext<'_>, expr: &Expr<'_>, segments: &[&str]) -> bool {
418     expr_path_res(cx, expr)
419         .opt_def_id()
420         .map_or(false, |id| match_def_path(cx, id, segments))
421 }
422
423 /// THIS METHOD IS DEPRECATED and will eventually be removed since it does not match against the
424 /// entire path or resolved `DefId`. Prefer using `match_def_path`. Consider getting a `DefId` from
425 /// `QPath::Resolved.1.res.opt_def_id()`.
426 ///
427 /// Matches a `Path` against a slice of segment string literals.
428 ///
429 /// There is also `match_qpath` if you are dealing with a `rustc_hir::QPath` instead of a
430 /// `rustc_hir::Path`.
431 ///
432 /// # Examples
433 ///
434 /// ```rust,ignore
435 /// if match_path(&trait_ref.path, &paths::HASH) {
436 ///     // This is the `std::hash::Hash` trait.
437 /// }
438 ///
439 /// if match_path(ty_path, &["rustc", "lint", "Lint"]) {
440 ///     // This is a `rustc_middle::lint::Lint`.
441 /// }
442 /// ```
443 pub fn match_path(path: &Path<'_>, segments: &[&str]) -> bool {
444     path.segments
445         .iter()
446         .rev()
447         .zip(segments.iter().rev())
448         .all(|(a, b)| a.ident.name.as_str() == *b)
449 }
450
451 /// If the expression is a path to a local, returns the canonical `HirId` of the local.
452 pub fn path_to_local(expr: &Expr<'_>) -> Option<HirId> {
453     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.kind {
454         if let Res::Local(id) = path.res {
455             return Some(id);
456         }
457     }
458     None
459 }
460
461 /// Returns true if the expression is a path to a local with the specified `HirId`.
462 /// Use this function to see if an expression matches a function argument or a match binding.
463 pub fn path_to_local_id(expr: &Expr<'_>, id: HirId) -> bool {
464     path_to_local(expr) == Some(id)
465 }
466
467 /// Gets the definition associated to a path.
468 #[allow(clippy::shadow_unrelated)] // false positive #6563
469 pub fn path_to_res(cx: &LateContext<'_>, path: &[&str]) -> Res {
470     macro_rules! try_res {
471         ($e:expr) => {
472             match $e {
473                 Some(e) => e,
474                 None => return Res::Err,
475             }
476         };
477     }
478     fn item_child_by_name<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, name: &str) -> Option<&'tcx Export<HirId>> {
479         tcx.item_children(def_id)
480             .iter()
481             .find(|item| item.ident.name.as_str() == name)
482     }
483
484     let (krate, first, path) = match *path {
485         [krate, first, ref path @ ..] => (krate, first, path),
486         _ => return Res::Err,
487     };
488     let tcx = cx.tcx;
489     let crates = tcx.crates();
490     let krate = try_res!(crates.iter().find(|&&num| tcx.crate_name(num).as_str() == krate));
491     let first = try_res!(item_child_by_name(tcx, krate.as_def_id(), first));
492     let last = path
493         .iter()
494         .copied()
495         // `get_def_path` seems to generate these empty segments for extern blocks.
496         // We can just ignore them.
497         .filter(|segment| !segment.is_empty())
498         // for each segment, find the child item
499         .try_fold(first, |item, segment| {
500             let def_id = item.res.def_id();
501             if let Some(item) = item_child_by_name(tcx, def_id, segment) {
502                 Some(item)
503             } else if matches!(item.res, Res::Def(DefKind::Enum | DefKind::Struct, _)) {
504                 // it is not a child item so check inherent impl items
505                 tcx.inherent_impls(def_id)
506                     .iter()
507                     .find_map(|&impl_def_id| item_child_by_name(tcx, impl_def_id, segment))
508             } else {
509                 None
510             }
511         });
512     try_res!(last).res
513 }
514
515 /// Convenience function to get the `DefId` of a trait by path.
516 /// It could be a trait or trait alias.
517 pub fn get_trait_def_id(cx: &LateContext<'_>, path: &[&str]) -> Option<DefId> {
518     match path_to_res(cx, path) {
519         Res::Def(DefKind::Trait | DefKind::TraitAlias, trait_id) => Some(trait_id),
520         _ => None,
521     }
522 }
523
524 /// Gets the `hir::TraitRef` of the trait the given method is implemented for.
525 ///
526 /// Use this if you want to find the `TraitRef` of the `Add` trait in this example:
527 ///
528 /// ```rust
529 /// struct Point(isize, isize);
530 ///
531 /// impl std::ops::Add for Point {
532 ///     type Output = Self;
533 ///
534 ///     fn add(self, other: Self) -> Self {
535 ///         Point(0, 0)
536 ///     }
537 /// }
538 /// ```
539 pub fn trait_ref_of_method<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx TraitRef<'tcx>> {
540     // Get the implemented trait for the current function
541     let parent_impl = cx.tcx.hir().get_parent_item(hir_id);
542     if_chain! {
543         if parent_impl != hir::CRATE_HIR_ID;
544         if let hir::Node::Item(item) = cx.tcx.hir().get(parent_impl);
545         if let hir::ItemKind::Impl(impl_) = &item.kind;
546         then { return impl_.of_trait.as_ref(); }
547     }
548     None
549 }
550
551 /// Returns the method names and argument list of nested method call expressions that make up
552 /// `expr`. method/span lists are sorted with the most recent call first.
553 pub fn method_calls<'tcx>(
554     expr: &'tcx Expr<'tcx>,
555     max_depth: usize,
556 ) -> (Vec<Symbol>, Vec<&'tcx [Expr<'tcx>]>, Vec<Span>) {
557     let mut method_names = Vec::with_capacity(max_depth);
558     let mut arg_lists = Vec::with_capacity(max_depth);
559     let mut spans = Vec::with_capacity(max_depth);
560
561     let mut current = expr;
562     for _ in 0..max_depth {
563         if let ExprKind::MethodCall(path, span, args, _) = &current.kind {
564             if args.iter().any(|e| e.span.from_expansion()) {
565                 break;
566             }
567             method_names.push(path.ident.name);
568             arg_lists.push(&**args);
569             spans.push(*span);
570             current = &args[0];
571         } else {
572             break;
573         }
574     }
575
576     (method_names, arg_lists, spans)
577 }
578
579 /// Matches an `Expr` against a chain of methods, and return the matched `Expr`s.
580 ///
581 /// For example, if `expr` represents the `.baz()` in `foo.bar().baz()`,
582 /// `method_chain_args(expr, &["bar", "baz"])` will return a `Vec`
583 /// containing the `Expr`s for
584 /// `.bar()` and `.baz()`
585 pub fn method_chain_args<'a>(expr: &'a Expr<'_>, methods: &[&str]) -> Option<Vec<&'a [Expr<'a>]>> {
586     let mut current = expr;
587     let mut matched = Vec::with_capacity(methods.len());
588     for method_name in methods.iter().rev() {
589         // method chains are stored last -> first
590         if let ExprKind::MethodCall(ref path, _, ref args, _) = current.kind {
591             if path.ident.name.as_str() == *method_name {
592                 if args.iter().any(|e| e.span.from_expansion()) {
593                     return None;
594                 }
595                 matched.push(&**args); // build up `matched` backwards
596                 current = &args[0] // go to parent expression
597             } else {
598                 return None;
599             }
600         } else {
601             return None;
602         }
603     }
604     // Reverse `matched` so that it is in the same order as `methods`.
605     matched.reverse();
606     Some(matched)
607 }
608
609 /// Returns `true` if the provided `def_id` is an entrypoint to a program.
610 pub fn is_entrypoint_fn(cx: &LateContext<'_>, def_id: DefId) -> bool {
611     cx.tcx
612         .entry_fn(LOCAL_CRATE)
613         .map_or(false, |(entry_fn_def_id, _)| def_id == entry_fn_def_id.to_def_id())
614 }
615
616 /// Returns `true` if the expression is in the program's `#[panic_handler]`.
617 pub fn is_in_panic_handler(cx: &LateContext<'_>, e: &Expr<'_>) -> bool {
618     let parent = cx.tcx.hir().get_parent_item(e.hir_id);
619     let def_id = cx.tcx.hir().local_def_id(parent).to_def_id();
620     Some(def_id) == cx.tcx.lang_items().panic_impl()
621 }
622
623 /// Gets the name of the item the expression is in, if available.
624 pub fn get_item_name(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<Symbol> {
625     let parent_id = cx.tcx.hir().get_parent_item(expr.hir_id);
626     match cx.tcx.hir().find(parent_id) {
627         Some(
628             Node::Item(Item { ident, .. })
629             | Node::TraitItem(TraitItem { ident, .. })
630             | Node::ImplItem(ImplItem { ident, .. }),
631         ) => Some(ident.name),
632         _ => None,
633     }
634 }
635
636 /// Gets the name of a `Pat`, if any.
637 pub fn get_pat_name(pat: &Pat<'_>) -> Option<Symbol> {
638     match pat.kind {
639         PatKind::Binding(.., ref spname, _) => Some(spname.name),
640         PatKind::Path(ref qpath) => single_segment_path(qpath).map(|ps| ps.ident.name),
641         PatKind::Box(ref p) | PatKind::Ref(ref p, _) => get_pat_name(&*p),
642         _ => None,
643     }
644 }
645
646 pub struct ContainsName {
647     pub name: Symbol,
648     pub result: bool,
649 }
650
651 impl<'tcx> Visitor<'tcx> for ContainsName {
652     type Map = Map<'tcx>;
653
654     fn visit_name(&mut self, _: Span, name: Symbol) {
655         if self.name == name {
656             self.result = true;
657         }
658     }
659     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
660         NestedVisitorMap::None
661     }
662 }
663
664 /// Checks if an `Expr` contains a certain name.
665 pub fn contains_name(name: Symbol, expr: &Expr<'_>) -> bool {
666     let mut cn = ContainsName { name, result: false };
667     cn.visit_expr(expr);
668     cn.result
669 }
670
671 /// Returns `true` if `expr` contains a return expression
672 pub fn contains_return(expr: &hir::Expr<'_>) -> bool {
673     struct RetCallFinder {
674         found: bool,
675     }
676
677     impl<'tcx> hir::intravisit::Visitor<'tcx> for RetCallFinder {
678         type Map = Map<'tcx>;
679
680         fn visit_expr(&mut self, expr: &'tcx hir::Expr<'_>) {
681             if self.found {
682                 return;
683             }
684             if let hir::ExprKind::Ret(..) = &expr.kind {
685                 self.found = true;
686             } else {
687                 hir::intravisit::walk_expr(self, expr);
688             }
689         }
690
691         fn nested_visit_map(&mut self) -> hir::intravisit::NestedVisitorMap<Self::Map> {
692             hir::intravisit::NestedVisitorMap::None
693         }
694     }
695
696     let mut visitor = RetCallFinder { found: false };
697     visitor.visit_expr(expr);
698     visitor.found
699 }
700
701 struct FindMacroCalls<'a, 'b> {
702     names: &'a [&'b str],
703     result: Vec<Span>,
704 }
705
706 impl<'a, 'b, 'tcx> Visitor<'tcx> for FindMacroCalls<'a, 'b> {
707     type Map = Map<'tcx>;
708
709     fn visit_expr(&mut self, expr: &'tcx Expr<'_>) {
710         if self.names.iter().any(|fun| is_expn_of(expr.span, fun).is_some()) {
711             self.result.push(expr.span);
712         }
713         // and check sub-expressions
714         intravisit::walk_expr(self, expr);
715     }
716
717     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
718         NestedVisitorMap::None
719     }
720 }
721
722 /// Finds calls of the specified macros in a function body.
723 pub fn find_macro_calls(names: &[&str], body: &Body<'_>) -> Vec<Span> {
724     let mut fmc = FindMacroCalls {
725         names,
726         result: Vec::new(),
727     };
728     fmc.visit_expr(&body.value);
729     fmc.result
730 }
731
732 /// Extends the span to the beginning of the spans line, incl. whitespaces.
733 ///
734 /// ```rust,ignore
735 ///        let x = ();
736 /// //             ^^
737 /// // will be converted to
738 ///        let x = ();
739 /// // ^^^^^^^^^^^^^^
740 /// ```
741 fn line_span<T: LintContext>(cx: &T, span: Span) -> Span {
742     let span = original_sp(span, DUMMY_SP);
743     let source_map_and_line = cx.sess().source_map().lookup_line(span.lo()).unwrap();
744     let line_no = source_map_and_line.line;
745     let line_start = source_map_and_line.sf.lines[line_no];
746     Span::new(line_start, span.hi(), span.ctxt())
747 }
748
749 /// Gets the parent node, if any.
750 pub fn get_parent_node(tcx: TyCtxt<'_>, id: HirId) -> Option<Node<'_>> {
751     tcx.hir().parent_iter(id).next().map(|(_, node)| node)
752 }
753
754 /// Gets the parent expression, if any â€“- this is useful to constrain a lint.
755 pub fn get_parent_expr<'tcx>(cx: &LateContext<'tcx>, e: &Expr<'_>) -> Option<&'tcx Expr<'tcx>> {
756     match get_parent_node(cx.tcx, e.hir_id) {
757         Some(Node::Expr(parent)) => Some(parent),
758         _ => None,
759     }
760 }
761
762 pub fn get_enclosing_block<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx Block<'tcx>> {
763     let map = &cx.tcx.hir();
764     let enclosing_node = map
765         .get_enclosing_scope(hir_id)
766         .and_then(|enclosing_id| map.find(enclosing_id));
767     enclosing_node.and_then(|node| match node {
768         Node::Block(block) => Some(block),
769         Node::Item(&Item {
770             kind: ItemKind::Fn(_, _, eid),
771             ..
772         })
773         | Node::ImplItem(&ImplItem {
774             kind: ImplItemKind::Fn(_, eid),
775             ..
776         }) => match cx.tcx.hir().body(eid).value.kind {
777             ExprKind::Block(ref block, _) => Some(block),
778             _ => None,
779         },
780         _ => None,
781     })
782 }
783
784 /// Gets the parent node if it's an impl block.
785 pub fn get_parent_as_impl(tcx: TyCtxt<'_>, id: HirId) -> Option<&Impl<'_>> {
786     let map = tcx.hir();
787     match map.parent_iter(id).next() {
788         Some((
789             _,
790             Node::Item(Item {
791                 kind: ItemKind::Impl(imp),
792                 ..
793             }),
794         )) => Some(imp),
795         _ => None,
796     }
797 }
798
799 /// Checks if the given expression is the else clause of either an `if` or `if let` expression.
800 pub fn is_else_clause(tcx: TyCtxt<'_>, expr: &Expr<'_>) -> bool {
801     let map = tcx.hir();
802     let mut iter = map.parent_iter(expr.hir_id);
803     match iter.next() {
804         Some((arm_id, Node::Arm(..))) => matches!(
805             iter.next(),
806             Some((
807                 _,
808                 Node::Expr(Expr {
809                     kind: ExprKind::Match(_, [_, else_arm], MatchSource::IfLetDesugar { .. }),
810                     ..
811                 })
812             ))
813             if else_arm.hir_id == arm_id
814         ),
815         Some((
816             _,
817             Node::Expr(Expr {
818                 kind: ExprKind::If(_, _, Some(else_expr)),
819                 ..
820             }),
821         )) => else_expr.hir_id == expr.hir_id,
822         _ => false,
823     }
824 }
825
826 /// Checks whether the given expression is a constant integer of the given value.
827 /// unlike `is_integer_literal`, this version does const folding
828 pub fn is_integer_const(cx: &LateContext<'_>, e: &Expr<'_>, value: u128) -> bool {
829     if is_integer_literal(e, value) {
830         return true;
831     }
832     let map = cx.tcx.hir();
833     let parent_item = map.get_parent_item(e.hir_id);
834     if let Some((Constant::Int(v), _)) = map
835         .maybe_body_owned_by(parent_item)
836         .and_then(|body_id| constant(cx, cx.tcx.typeck_body(body_id), e))
837     {
838         value == v
839     } else {
840         false
841     }
842 }
843
844 /// Checks whether the given expression is a constant literal of the given value.
845 pub fn is_integer_literal(expr: &Expr<'_>, value: u128) -> bool {
846     // FIXME: use constant folding
847     if let ExprKind::Lit(ref spanned) = expr.kind {
848         if let LitKind::Int(v, _) = spanned.node {
849             return v == value;
850         }
851     }
852     false
853 }
854
855 /// Returns `true` if the given `Expr` has been coerced before.
856 ///
857 /// Examples of coercions can be found in the Nomicon at
858 /// <https://doc.rust-lang.org/nomicon/coercions.html>.
859 ///
860 /// See `rustc_middle::ty::adjustment::Adjustment` and `rustc_typeck::check::coercion` for more
861 /// information on adjustments and coercions.
862 pub fn is_adjusted(cx: &LateContext<'_>, e: &Expr<'_>) -> bool {
863     cx.typeck_results().adjustments().get(e.hir_id).is_some()
864 }
865
866 /// Returns the pre-expansion span if is this comes from an expansion of the
867 /// macro `name`.
868 /// See also `is_direct_expn_of`.
869 #[must_use]
870 pub fn is_expn_of(mut span: Span, name: &str) -> Option<Span> {
871     loop {
872         if span.from_expansion() {
873             let data = span.ctxt().outer_expn_data();
874             let new_span = data.call_site;
875
876             if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
877                 if mac_name.as_str() == name {
878                     return Some(new_span);
879                 }
880             }
881
882             span = new_span;
883         } else {
884             return None;
885         }
886     }
887 }
888
889 /// Returns the pre-expansion span if the span directly comes from an expansion
890 /// of the macro `name`.
891 /// The difference with `is_expn_of` is that in
892 /// ```rust,ignore
893 /// foo!(bar!(42));
894 /// ```
895 /// `42` is considered expanded from `foo!` and `bar!` by `is_expn_of` but only
896 /// `bar!` by
897 /// `is_direct_expn_of`.
898 #[must_use]
899 pub fn is_direct_expn_of(span: Span, name: &str) -> Option<Span> {
900     if span.from_expansion() {
901         let data = span.ctxt().outer_expn_data();
902         let new_span = data.call_site;
903
904         if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
905             if mac_name.as_str() == name {
906                 return Some(new_span);
907             }
908         }
909     }
910
911     None
912 }
913
914 /// Convenience function to get the return type of a function.
915 pub fn return_ty<'tcx>(cx: &LateContext<'tcx>, fn_item: hir::HirId) -> Ty<'tcx> {
916     let fn_def_id = cx.tcx.hir().local_def_id(fn_item);
917     let ret_ty = cx.tcx.fn_sig(fn_def_id).output();
918     cx.tcx.erase_late_bound_regions(ret_ty)
919 }
920
921 /// Checks if an expression is constructing a tuple-like enum variant or struct
922 pub fn is_ctor_or_promotable_const_function(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
923     if let ExprKind::Call(ref fun, _) = expr.kind {
924         if let ExprKind::Path(ref qp) = fun.kind {
925             let res = cx.qpath_res(qp, fun.hir_id);
926             return match res {
927                 def::Res::Def(DefKind::Variant | DefKind::Ctor(..), ..) => true,
928                 def::Res::Def(_, def_id) => cx.tcx.is_promotable_const_fn(def_id),
929                 _ => false,
930             };
931         }
932     }
933     false
934 }
935
936 /// Returns `true` if a pattern is refutable.
937 // TODO: should be implemented using rustc/mir_build/thir machinery
938 pub fn is_refutable(cx: &LateContext<'_>, pat: &Pat<'_>) -> bool {
939     fn is_enum_variant(cx: &LateContext<'_>, qpath: &QPath<'_>, id: HirId) -> bool {
940         matches!(
941             cx.qpath_res(qpath, id),
942             def::Res::Def(DefKind::Variant, ..) | Res::Def(DefKind::Ctor(def::CtorOf::Variant, _), _)
943         )
944     }
945
946     fn are_refutable<'a, I: Iterator<Item = &'a Pat<'a>>>(cx: &LateContext<'_>, mut i: I) -> bool {
947         i.any(|pat| is_refutable(cx, pat))
948     }
949
950     match pat.kind {
951         PatKind::Wild => false,
952         PatKind::Binding(_, _, _, pat) => pat.map_or(false, |pat| is_refutable(cx, pat)),
953         PatKind::Box(ref pat) | PatKind::Ref(ref pat, _) => is_refutable(cx, pat),
954         PatKind::Lit(..) | PatKind::Range(..) => true,
955         PatKind::Path(ref qpath) => is_enum_variant(cx, qpath, pat.hir_id),
956         PatKind::Or(ref pats) => {
957             // TODO: should be the honest check, that pats is exhaustive set
958             are_refutable(cx, pats.iter().map(|pat| &**pat))
959         },
960         PatKind::Tuple(ref pats, _) => are_refutable(cx, pats.iter().map(|pat| &**pat)),
961         PatKind::Struct(ref qpath, ref fields, _) => {
962             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, fields.iter().map(|field| &*field.pat))
963         },
964         PatKind::TupleStruct(ref qpath, ref pats, _) => {
965             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, pats.iter().map(|pat| &**pat))
966         },
967         PatKind::Slice(ref head, ref middle, ref tail) => {
968             match &cx.typeck_results().node_type(pat.hir_id).kind() {
969                 rustc_ty::Slice(..) => {
970                     // [..] is the only irrefutable slice pattern.
971                     !head.is_empty() || middle.is_none() || !tail.is_empty()
972                 },
973                 rustc_ty::Array(..) => {
974                     are_refutable(cx, head.iter().chain(middle).chain(tail.iter()).map(|pat| &**pat))
975                 },
976                 _ => {
977                     // unreachable!()
978                     true
979                 },
980             }
981         },
982     }
983 }
984
985 /// If the pattern is an `or` pattern, call the function once for each sub pattern. Otherwise, call
986 /// the function once on the given pattern.
987 pub fn recurse_or_patterns<'tcx, F: FnMut(&'tcx Pat<'tcx>)>(pat: &'tcx Pat<'tcx>, mut f: F) {
988     if let PatKind::Or(pats) = pat.kind {
989         pats.iter().cloned().for_each(f)
990     } else {
991         f(pat)
992     }
993 }
994
995 /// Checks for the `#[automatically_derived]` attribute all `#[derive]`d
996 /// implementations have.
997 pub fn is_automatically_derived(attrs: &[ast::Attribute]) -> bool {
998     attrs.iter().any(|attr| attr.has_name(sym::automatically_derived))
999 }
1000
1001 /// Remove blocks around an expression.
1002 ///
1003 /// Ie. `x`, `{ x }` and `{{{{ x }}}}` all give `x`. `{ x; y }` and `{}` return
1004 /// themselves.
1005 pub fn remove_blocks<'tcx>(mut expr: &'tcx Expr<'tcx>) -> &'tcx Expr<'tcx> {
1006     while let ExprKind::Block(ref block, ..) = expr.kind {
1007         match (block.stmts.is_empty(), block.expr.as_ref()) {
1008             (true, Some(e)) => expr = e,
1009             _ => break,
1010         }
1011     }
1012     expr
1013 }
1014
1015 pub fn is_self(slf: &Param<'_>) -> bool {
1016     if let PatKind::Binding(.., name, _) = slf.pat.kind {
1017         name.name == kw::SelfLower
1018     } else {
1019         false
1020     }
1021 }
1022
1023 pub fn is_self_ty(slf: &hir::Ty<'_>) -> bool {
1024     if_chain! {
1025         if let TyKind::Path(QPath::Resolved(None, ref path)) = slf.kind;
1026         if let Res::SelfTy(..) = path.res;
1027         then {
1028             return true
1029         }
1030     }
1031     false
1032 }
1033
1034 pub fn iter_input_pats<'tcx>(decl: &FnDecl<'_>, body: &'tcx Body<'_>) -> impl Iterator<Item = &'tcx Param<'tcx>> {
1035     (0..decl.inputs.len()).map(move |i| &body.params[i])
1036 }
1037
1038 /// Checks if a given expression is a match expression expanded from the `?`
1039 /// operator or the `try` macro.
1040 pub fn is_try<'tcx>(cx: &LateContext<'_>, expr: &'tcx Expr<'tcx>) -> Option<&'tcx Expr<'tcx>> {
1041     fn is_ok(cx: &LateContext<'_>, arm: &Arm<'_>) -> bool {
1042         if_chain! {
1043             if let PatKind::TupleStruct(ref path, ref pat, None) = arm.pat.kind;
1044             if is_lang_ctor(cx, path, ResultOk);
1045             if let PatKind::Binding(_, hir_id, _, None) = pat[0].kind;
1046             if path_to_local_id(arm.body, hir_id);
1047             then {
1048                 return true;
1049             }
1050         }
1051         false
1052     }
1053
1054     fn is_err(cx: &LateContext<'_>, arm: &Arm<'_>) -> bool {
1055         if let PatKind::TupleStruct(ref path, _, _) = arm.pat.kind {
1056             is_lang_ctor(cx, path, ResultErr)
1057         } else {
1058             false
1059         }
1060     }
1061
1062     if let ExprKind::Match(_, ref arms, ref source) = expr.kind {
1063         // desugared from a `?` operator
1064         if let MatchSource::TryDesugar = *source {
1065             return Some(expr);
1066         }
1067
1068         if_chain! {
1069             if arms.len() == 2;
1070             if arms[0].guard.is_none();
1071             if arms[1].guard.is_none();
1072             if (is_ok(cx, &arms[0]) && is_err(cx, &arms[1])) ||
1073                 (is_ok(cx, &arms[1]) && is_err(cx, &arms[0]));
1074             then {
1075                 return Some(expr);
1076             }
1077         }
1078     }
1079
1080     None
1081 }
1082
1083 /// Returns `true` if the lint is allowed in the current context
1084 ///
1085 /// Useful for skipping long running code when it's unnecessary
1086 pub fn is_allowed(cx: &LateContext<'_>, lint: &'static Lint, id: HirId) -> bool {
1087     cx.tcx.lint_level_at_node(lint, id).0 == Level::Allow
1088 }
1089
1090 pub fn strip_pat_refs<'hir>(mut pat: &'hir Pat<'hir>) -> &'hir Pat<'hir> {
1091     while let PatKind::Ref(subpat, _) = pat.kind {
1092         pat = subpat;
1093     }
1094     pat
1095 }
1096
1097 pub fn int_bits(tcx: TyCtxt<'_>, ity: rustc_ty::IntTy) -> u64 {
1098     Integer::from_int_ty(&tcx, ity).size().bits()
1099 }
1100
1101 #[allow(clippy::cast_possible_wrap)]
1102 /// Turn a constant int byte representation into an i128
1103 pub fn sext(tcx: TyCtxt<'_>, u: u128, ity: rustc_ty::IntTy) -> i128 {
1104     let amt = 128 - int_bits(tcx, ity);
1105     ((u as i128) << amt) >> amt
1106 }
1107
1108 #[allow(clippy::cast_sign_loss)]
1109 /// clip unused bytes
1110 pub fn unsext(tcx: TyCtxt<'_>, u: i128, ity: rustc_ty::IntTy) -> u128 {
1111     let amt = 128 - int_bits(tcx, ity);
1112     ((u as u128) << amt) >> amt
1113 }
1114
1115 /// clip unused bytes
1116 pub fn clip(tcx: TyCtxt<'_>, u: u128, ity: rustc_ty::UintTy) -> u128 {
1117     let bits = Integer::from_uint_ty(&tcx, ity).size().bits();
1118     let amt = 128 - bits;
1119     (u << amt) >> amt
1120 }
1121
1122 pub fn any_parent_is_automatically_derived(tcx: TyCtxt<'_>, node: HirId) -> bool {
1123     let map = &tcx.hir();
1124     let mut prev_enclosing_node = None;
1125     let mut enclosing_node = node;
1126     while Some(enclosing_node) != prev_enclosing_node {
1127         if is_automatically_derived(map.attrs(enclosing_node)) {
1128             return true;
1129         }
1130         prev_enclosing_node = Some(enclosing_node);
1131         enclosing_node = map.get_parent_item(enclosing_node);
1132     }
1133     false
1134 }
1135
1136 /// Matches a function call with the given path and returns the arguments.
1137 ///
1138 /// Usage:
1139 ///
1140 /// ```rust,ignore
1141 /// if let Some(args) = match_function_call(cx, cmp_max_call, &paths::CMP_MAX);
1142 /// ```
1143 pub fn match_function_call<'tcx>(
1144     cx: &LateContext<'tcx>,
1145     expr: &'tcx Expr<'_>,
1146     path: &[&str],
1147 ) -> Option<&'tcx [Expr<'tcx>]> {
1148     if_chain! {
1149         if let ExprKind::Call(ref fun, ref args) = expr.kind;
1150         if let ExprKind::Path(ref qpath) = fun.kind;
1151         if let Some(fun_def_id) = cx.qpath_res(qpath, fun.hir_id).opt_def_id();
1152         if match_def_path(cx, fun_def_id, path);
1153         then {
1154             return Some(&args)
1155         }
1156     };
1157     None
1158 }
1159
1160 /// Checks if the given `DefId` matches any of the paths. Returns the index of matching path, if
1161 /// any.
1162 pub fn match_any_def_paths(cx: &LateContext<'_>, did: DefId, paths: &[&[&str]]) -> Option<usize> {
1163     let search_path = cx.get_def_path(did);
1164     paths
1165         .iter()
1166         .position(|p| p.iter().map(|x| Symbol::intern(x)).eq(search_path.iter().cloned()))
1167 }
1168
1169 /// Checks if the given `DefId` matches the path.
1170 pub fn match_def_path<'tcx>(cx: &LateContext<'tcx>, did: DefId, syms: &[&str]) -> bool {
1171     // We should probably move to Symbols in Clippy as well rather than interning every time.
1172     let path = cx.get_def_path(did);
1173     syms.iter().map(|x| Symbol::intern(x)).eq(path.iter().cloned())
1174 }
1175
1176 pub fn match_panic_call(cx: &LateContext<'_>, expr: &'tcx Expr<'_>) -> Option<&'tcx Expr<'tcx>> {
1177     if let ExprKind::Call(func, [arg]) = expr.kind {
1178         expr_path_res(cx, func)
1179             .opt_def_id()
1180             .map_or(false, |id| match_panic_def_id(cx, id))
1181             .then(|| arg)
1182     } else {
1183         None
1184     }
1185 }
1186
1187 pub fn match_panic_def_id(cx: &LateContext<'_>, did: DefId) -> bool {
1188     match_any_def_paths(
1189         cx,
1190         did,
1191         &[
1192             &paths::BEGIN_PANIC,
1193             &paths::BEGIN_PANIC_FMT,
1194             &paths::PANIC_ANY,
1195             &paths::PANICKING_PANIC,
1196             &paths::PANICKING_PANIC_FMT,
1197             &paths::PANICKING_PANIC_STR,
1198         ],
1199     )
1200     .is_some()
1201 }
1202
1203 /// Returns the list of condition expressions and the list of blocks in a
1204 /// sequence of `if/else`.
1205 /// E.g., this returns `([a, b], [c, d, e])` for the expression
1206 /// `if a { c } else if b { d } else { e }`.
1207 pub fn if_sequence<'tcx>(mut expr: &'tcx Expr<'tcx>) -> (Vec<&'tcx Expr<'tcx>>, Vec<&'tcx Block<'tcx>>) {
1208     let mut conds = Vec::new();
1209     let mut blocks: Vec<&Block<'_>> = Vec::new();
1210
1211     while let ExprKind::If(ref cond, ref then_expr, ref else_expr) = expr.kind {
1212         conds.push(&**cond);
1213         if let ExprKind::Block(ref block, _) = then_expr.kind {
1214             blocks.push(block);
1215         } else {
1216             panic!("ExprKind::If node is not an ExprKind::Block");
1217         }
1218
1219         if let Some(ref else_expr) = *else_expr {
1220             expr = else_expr;
1221         } else {
1222             break;
1223         }
1224     }
1225
1226     // final `else {..}`
1227     if !blocks.is_empty() {
1228         if let ExprKind::Block(ref block, _) = expr.kind {
1229             blocks.push(&**block);
1230         }
1231     }
1232
1233     (conds, blocks)
1234 }
1235
1236 /// This function returns true if the given expression is the `else` or `if else` part of an if
1237 /// statement
1238 pub fn parent_node_is_if_expr(expr: &Expr<'_>, cx: &LateContext<'_>) -> bool {
1239     let map = cx.tcx.hir();
1240     let parent_id = map.get_parent_node(expr.hir_id);
1241     let parent_node = map.get(parent_id);
1242     matches!(
1243         parent_node,
1244         Node::Expr(Expr {
1245             kind: ExprKind::If(_, _, _),
1246             ..
1247         })
1248     )
1249 }
1250
1251 // Finds the `#[must_use]` attribute, if any
1252 pub fn must_use_attr(attrs: &[Attribute]) -> Option<&Attribute> {
1253     attrs.iter().find(|a| a.has_name(sym::must_use))
1254 }
1255
1256 // check if expr is calling method or function with #[must_use] attribute
1257 pub fn is_must_use_func_call(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
1258     let did = match expr.kind {
1259         ExprKind::Call(ref path, _) => if_chain! {
1260             if let ExprKind::Path(ref qpath) = path.kind;
1261             if let def::Res::Def(_, did) = cx.qpath_res(qpath, path.hir_id);
1262             then {
1263                 Some(did)
1264             } else {
1265                 None
1266             }
1267         },
1268         ExprKind::MethodCall(_, _, _, _) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1269         _ => None,
1270     };
1271
1272     did.map_or(false, |did| must_use_attr(&cx.tcx.get_attrs(did)).is_some())
1273 }
1274
1275 pub fn is_no_std_crate(cx: &LateContext<'_>) -> bool {
1276     cx.tcx.hir().attrs(hir::CRATE_HIR_ID).iter().any(|attr| {
1277         if let ast::AttrKind::Normal(ref attr, _) = attr.kind {
1278             attr.path == sym::no_std
1279         } else {
1280             false
1281         }
1282     })
1283 }
1284
1285 /// Check if parent of a hir node is a trait implementation block.
1286 /// For example, `f` in
1287 /// ```rust,ignore
1288 /// impl Trait for S {
1289 ///     fn f() {}
1290 /// }
1291 /// ```
1292 pub fn is_trait_impl_item(cx: &LateContext<'_>, hir_id: HirId) -> bool {
1293     if let Some(Node::Item(item)) = cx.tcx.hir().find(cx.tcx.hir().get_parent_node(hir_id)) {
1294         matches!(item.kind, ItemKind::Impl(hir::Impl { of_trait: Some(_), .. }))
1295     } else {
1296         false
1297     }
1298 }
1299
1300 /// Check if it's even possible to satisfy the `where` clause for the item.
1301 ///
1302 /// `trivial_bounds` feature allows functions with unsatisfiable bounds, for example:
1303 ///
1304 /// ```ignore
1305 /// fn foo() where i32: Iterator {
1306 ///     for _ in 2i32 {}
1307 /// }
1308 /// ```
1309 pub fn fn_has_unsatisfiable_preds(cx: &LateContext<'_>, did: DefId) -> bool {
1310     use rustc_trait_selection::traits;
1311     let predicates = cx
1312         .tcx
1313         .predicates_of(did)
1314         .predicates
1315         .iter()
1316         .filter_map(|(p, _)| if p.is_global() { Some(*p) } else { None });
1317     traits::impossible_predicates(
1318         cx.tcx,
1319         traits::elaborate_predicates(cx.tcx, predicates)
1320             .map(|o| o.predicate)
1321             .collect::<Vec<_>>(),
1322     )
1323 }
1324
1325 /// Returns the `DefId` of the callee if the given expression is a function or method call.
1326 pub fn fn_def_id(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<DefId> {
1327     match &expr.kind {
1328         ExprKind::MethodCall(..) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1329         ExprKind::Call(
1330             Expr {
1331                 kind: ExprKind::Path(qpath),
1332                 hir_id: path_hir_id,
1333                 ..
1334             },
1335             ..,
1336         ) => cx.typeck_results().qpath_res(qpath, *path_hir_id).opt_def_id(),
1337         _ => None,
1338     }
1339 }
1340
1341 /// This function checks if any of the lints in the slice is enabled for the provided `HirId`.
1342 /// A lint counts as enabled with any of the levels: `Level::Forbid` | `Level::Deny` | `Level::Warn`
1343 ///
1344 /// ```ignore
1345 /// #[deny(clippy::YOUR_AWESOME_LINT)]
1346 /// println!("Hello, World!"); // <- Clippy code: run_lints(cx, &[YOUR_AWESOME_LINT], id) == true
1347 ///
1348 /// #[allow(clippy::YOUR_AWESOME_LINT)]
1349 /// println!("See you soon!"); // <- Clippy code: run_lints(cx, &[YOUR_AWESOME_LINT], id) == false
1350 /// ```
1351 pub fn run_lints(cx: &LateContext<'_>, lints: &[&'static Lint], id: HirId) -> bool {
1352     lints.iter().any(|lint| {
1353         matches!(
1354             cx.tcx.lint_level_at_node(lint, id),
1355             (Level::Forbid | Level::Deny | Level::Warn, _)
1356         )
1357     })
1358 }
1359
1360 /// Returns Option<String> where String is a textual representation of the type encapsulated in the
1361 /// slice iff the given expression is a slice of primitives (as defined in the
1362 /// `is_recursively_primitive_type` function) and None otherwise.
1363 pub fn is_slice_of_primitives(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<String> {
1364     let expr_type = cx.typeck_results().expr_ty_adjusted(expr);
1365     let expr_kind = expr_type.kind();
1366     let is_primitive = match expr_kind {
1367         rustc_ty::Slice(element_type) => is_recursively_primitive_type(element_type),
1368         rustc_ty::Ref(_, inner_ty, _) if matches!(inner_ty.kind(), &rustc_ty::Slice(_)) => {
1369             if let rustc_ty::Slice(element_type) = inner_ty.kind() {
1370                 is_recursively_primitive_type(element_type)
1371             } else {
1372                 unreachable!()
1373             }
1374         },
1375         _ => false,
1376     };
1377
1378     if is_primitive {
1379         // if we have wrappers like Array, Slice or Tuple, print these
1380         // and get the type enclosed in the slice ref
1381         match expr_type.peel_refs().walk().nth(1).unwrap().expect_ty().kind() {
1382             rustc_ty::Slice(..) => return Some("slice".into()),
1383             rustc_ty::Array(..) => return Some("array".into()),
1384             rustc_ty::Tuple(..) => return Some("tuple".into()),
1385             _ => {
1386                 // is_recursively_primitive_type() should have taken care
1387                 // of the rest and we can rely on the type that is found
1388                 let refs_peeled = expr_type.peel_refs();
1389                 return Some(refs_peeled.walk().last().unwrap().to_string());
1390             },
1391         }
1392     }
1393     None
1394 }
1395
1396 /// returns list of all pairs (a, b) from `exprs` such that `eq(a, b)`
1397 /// `hash` must be comformed with `eq`
1398 pub fn search_same<T, Hash, Eq>(exprs: &[T], hash: Hash, eq: Eq) -> Vec<(&T, &T)>
1399 where
1400     Hash: Fn(&T) -> u64,
1401     Eq: Fn(&T, &T) -> bool,
1402 {
1403     if exprs.len() == 2 && eq(&exprs[0], &exprs[1]) {
1404         return vec![(&exprs[0], &exprs[1])];
1405     }
1406
1407     let mut match_expr_list: Vec<(&T, &T)> = Vec::new();
1408
1409     let mut map: FxHashMap<_, Vec<&_>> =
1410         FxHashMap::with_capacity_and_hasher(exprs.len(), BuildHasherDefault::default());
1411
1412     for expr in exprs {
1413         match map.entry(hash(expr)) {
1414             Entry::Occupied(mut o) => {
1415                 for o in o.get() {
1416                     if eq(o, expr) {
1417                         match_expr_list.push((o, expr));
1418                     }
1419                 }
1420                 o.get_mut().push(expr);
1421             },
1422             Entry::Vacant(v) => {
1423                 v.insert(vec![expr]);
1424             },
1425         }
1426     }
1427
1428     match_expr_list
1429 }
1430
1431 /// Peels off all references on the pattern. Returns the underlying pattern and the number of
1432 /// references removed.
1433 pub fn peel_hir_pat_refs(pat: &'a Pat<'a>) -> (&'a Pat<'a>, usize) {
1434     fn peel(pat: &'a Pat<'a>, count: usize) -> (&'a Pat<'a>, usize) {
1435         if let PatKind::Ref(pat, _) = pat.kind {
1436             peel(pat, count + 1)
1437         } else {
1438             (pat, count)
1439         }
1440     }
1441     peel(pat, 0)
1442 }
1443
1444 /// Peels off up to the given number of references on the expression. Returns the underlying
1445 /// expression and the number of references removed.
1446 pub fn peel_n_hir_expr_refs(expr: &'a Expr<'a>, count: usize) -> (&'a Expr<'a>, usize) {
1447     fn f(expr: &'a Expr<'a>, count: usize, target: usize) -> (&'a Expr<'a>, usize) {
1448         match expr.kind {
1449             ExprKind::AddrOf(_, _, expr) if count != target => f(expr, count + 1, target),
1450             _ => (expr, count),
1451         }
1452     }
1453     f(expr, 0, count)
1454 }
1455
1456 /// Peels off all references on the expression. Returns the underlying expression and the number of
1457 /// references removed.
1458 pub fn peel_hir_expr_refs(expr: &'a Expr<'a>) -> (&'a Expr<'a>, usize) {
1459     fn f(expr: &'a Expr<'a>, count: usize) -> (&'a Expr<'a>, usize) {
1460         match expr.kind {
1461             ExprKind::AddrOf(BorrowKind::Ref, _, expr) => f(expr, count + 1),
1462             _ => (expr, count),
1463         }
1464     }
1465     f(expr, 0)
1466 }
1467
1468 #[macro_export]
1469 macro_rules! unwrap_cargo_metadata {
1470     ($cx: ident, $lint: ident, $deps: expr) => {{
1471         let mut command = cargo_metadata::MetadataCommand::new();
1472         if !$deps {
1473             command.no_deps();
1474         }
1475
1476         match command.exec() {
1477             Ok(metadata) => metadata,
1478             Err(err) => {
1479                 span_lint($cx, $lint, DUMMY_SP, &format!("could not read cargo metadata: {}", err));
1480                 return;
1481             },
1482         }
1483     }};
1484 }
1485
1486 pub fn is_hir_ty_cfg_dependant(cx: &LateContext<'_>, ty: &hir::Ty<'_>) -> bool {
1487     if_chain! {
1488         if let TyKind::Path(QPath::Resolved(_, path)) = ty.kind;
1489         if let Res::Def(_, def_id) = path.res;
1490         then {
1491             cx.tcx.has_attr(def_id, sym::cfg) || cx.tcx.has_attr(def_id, sym::cfg_attr)
1492         } else {
1493             false
1494         }
1495     }
1496 }