]> git.lizzy.rs Git - rust.git/blob - clippy_utils/src/lib.rs
Fix doc test
[rust.git] / clippy_utils / src / lib.rs
1 #![feature(box_patterns)]
2 #![feature(in_band_lifetimes)]
3 #![feature(once_cell)]
4 #![feature(or_patterns)]
5 #![feature(rustc_private)]
6 #![recursion_limit = "512"]
7 #![allow(clippy::missing_errors_doc, clippy::missing_panics_doc, clippy::must_use_candidate)]
8
9 // FIXME: switch to something more ergonomic here, once available.
10 // (Currently there is no way to opt into sysroot crates without `extern crate`.)
11 extern crate rustc_ast;
12 extern crate rustc_ast_pretty;
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_lint;
19 extern crate rustc_middle;
20 extern crate rustc_mir;
21 extern crate rustc_session;
22 extern crate rustc_span;
23 extern crate rustc_target;
24 extern crate rustc_trait_selection;
25 extern crate rustc_typeck;
26
27 #[macro_use]
28 pub mod sym_helper;
29
30 #[allow(clippy::module_name_repetitions)]
31 pub mod ast_utils;
32 pub mod attrs;
33 pub mod author;
34 pub mod camel_case;
35 pub mod comparisons;
36 pub mod conf;
37 pub mod consts;
38 mod diagnostics;
39 pub mod eager_or_lazy;
40 pub mod higher;
41 mod hir_utils;
42 pub mod inspector;
43 #[cfg(feature = "internal-lints")]
44 pub mod internal_lints;
45 pub mod numeric_literal;
46 pub mod paths;
47 pub mod ptr;
48 pub mod qualify_min_const_fn;
49 pub mod sugg;
50 pub mod usage;
51 pub mod visitors;
52
53 pub use self::attrs::*;
54 pub use self::diagnostics::*;
55 pub use self::hir_utils::{both, eq_expr_value, over, SpanlessEq, SpanlessHash};
56
57 use std::borrow::Cow;
58 use std::collections::hash_map::Entry;
59 use std::hash::BuildHasherDefault;
60
61 use if_chain::if_chain;
62 use rustc_ast::ast::{self, Attribute, BorrowKind, LitKind, Mutability};
63 use rustc_data_structures::fx::FxHashMap;
64 use rustc_errors::Applicability;
65 use rustc_hir as hir;
66 use rustc_hir::def::{CtorKind, CtorOf, DefKind, Res};
67 use rustc_hir::def_id::{DefId, LOCAL_CRATE};
68 use rustc_hir::intravisit::{self, NestedVisitorMap, Visitor};
69 use rustc_hir::Node;
70 use rustc_hir::{
71     def, Arm, Block, Body, Constness, Crate, Expr, ExprKind, FnDecl, HirId, ImplItem, ImplItemKind, Item, ItemKind,
72     MatchSource, Param, Pat, PatKind, Path, PathSegment, QPath, TraitItem, TraitItemKind, TraitRef, TyKind, Unsafety,
73 };
74 use rustc_infer::infer::TyCtxtInferExt;
75 use rustc_lint::{LateContext, Level, Lint, LintContext};
76 use rustc_middle::hir::exports::Export;
77 use rustc_middle::hir::map::Map;
78 use rustc_middle::ty::subst::{GenericArg, GenericArgKind};
79 use rustc_middle::ty::{self, layout::IntegerExt, DefIdTree, Ty, TyCtxt, TypeFoldable};
80 use rustc_semver::RustcVersion;
81 use rustc_session::Session;
82 use rustc_span::hygiene::{ExpnKind, MacroKind};
83 use rustc_span::source_map::original_sp;
84 use rustc_span::sym;
85 use rustc_span::symbol::{kw, Symbol};
86 use rustc_span::{BytePos, Pos, Span, DUMMY_SP};
87 use rustc_target::abi::Integer;
88 use rustc_trait_selection::traits::query::normalize::AtExt;
89 use smallvec::SmallVec;
90
91 use crate::consts::{constant, Constant};
92
93 /// Macro used to declare a Clippy lint.
94 ///
95 /// Every lint declaration consists of 4 parts:
96 ///
97 /// 1. The documentation, which is used for the website
98 /// 2. The `LINT_NAME`. See [lint naming][lint_naming] on lint naming conventions.
99 /// 3. The `lint_level`, which is a mapping from *one* of our lint groups to `Allow`, `Warn` or
100 ///    `Deny`. The lint level here has nothing to do with what lint groups the lint is a part of.
101 /// 4. The `description` that contains a short explanation on what's wrong with code where the
102 ///    lint is triggered.
103 ///
104 /// Currently the categories `style`, `correctness`, `complexity` and `perf` are enabled by default.
105 /// As said in the README.md of this repository, if the lint level mapping changes, please update
106 /// README.md.
107 ///
108 /// # Example
109 ///
110 /// ```
111 /// #![feature(rustc_private)]
112 /// extern crate rustc_session;
113 /// use rustc_session::declare_tool_lint;
114 /// use clippy_utils::declare_clippy_lint;
115 ///
116 /// declare_clippy_lint! {
117 ///     /// **What it does:** Checks for ... (describe what the lint matches).
118 ///     ///
119 ///     /// **Why is this bad?** Supply the reason for linting the code.
120 ///     ///
121 ///     /// **Known problems:** None. (Or describe where it could go wrong.)
122 ///     ///
123 ///     /// **Example:**
124 ///     ///
125 ///     /// ```rust
126 ///     /// // Bad
127 ///     /// Insert a short example of code that triggers the lint
128 ///     ///
129 ///     /// // Good
130 ///     /// Insert a short example of improved code that doesn't trigger the lint
131 ///     /// ```
132 ///     pub LINT_NAME,
133 ///     pedantic,
134 ///     "description"
135 /// }
136 /// ```
137 /// [lint_naming]: https://rust-lang.github.io/rfcs/0344-conventions-galore.html#lints
138 #[macro_export]
139 macro_rules! declare_clippy_lint {
140     { $(#[$attr:meta])* pub $name:tt, style, $description:tt } => {
141         declare_tool_lint! {
142             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
143         }
144     };
145     { $(#[$attr:meta])* pub $name:tt, correctness, $description:tt } => {
146         declare_tool_lint! {
147             $(#[$attr])* pub clippy::$name, Deny, $description, report_in_external_macro: true
148         }
149     };
150     { $(#[$attr:meta])* pub $name:tt, complexity, $description:tt } => {
151         declare_tool_lint! {
152             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
153         }
154     };
155     { $(#[$attr:meta])* pub $name:tt, perf, $description:tt } => {
156         declare_tool_lint! {
157             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
158         }
159     };
160     { $(#[$attr:meta])* pub $name:tt, pedantic, $description:tt } => {
161         declare_tool_lint! {
162             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
163         }
164     };
165     { $(#[$attr:meta])* pub $name:tt, restriction, $description:tt } => {
166         declare_tool_lint! {
167             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
168         }
169     };
170     { $(#[$attr:meta])* pub $name:tt, cargo, $description:tt } => {
171         declare_tool_lint! {
172             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
173         }
174     };
175     { $(#[$attr:meta])* pub $name:tt, nursery, $description:tt } => {
176         declare_tool_lint! {
177             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
178         }
179     };
180     { $(#[$attr:meta])* pub $name:tt, internal, $description:tt } => {
181         declare_tool_lint! {
182             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
183         }
184     };
185     { $(#[$attr:meta])* pub $name:tt, internal_warn, $description:tt } => {
186         declare_tool_lint! {
187             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
188         }
189     };
190 }
191
192 pub fn parse_msrv(msrv: &str, sess: Option<&Session>, span: Option<Span>) -> Option<RustcVersion> {
193     if let Ok(version) = RustcVersion::parse(msrv) {
194         return Some(version);
195     } else if let Some(sess) = sess {
196         if let Some(span) = span {
197             sess.span_err(span, &format!("`{}` is not a valid Rust version", msrv));
198         }
199     }
200     None
201 }
202
203 pub fn meets_msrv(msrv: Option<&RustcVersion>, lint_msrv: &RustcVersion) -> bool {
204     msrv.map_or(true, |msrv| msrv.meets(*lint_msrv))
205 }
206
207 #[macro_export]
208 macro_rules! extract_msrv_attr {
209     (LateContext) => {
210         extract_msrv_attr!(@LateContext, ());
211     };
212     (EarlyContext) => {
213         extract_msrv_attr!(@EarlyContext);
214     };
215     (@$context:ident$(, $call:tt)?) => {
216         fn enter_lint_attrs(&mut self, cx: &rustc_lint::$context<'tcx>, attrs: &'tcx [rustc_ast::ast::Attribute]) {
217             use $crate::get_unique_inner_attr;
218             match get_unique_inner_attr(cx.sess$($call)?, attrs, "msrv") {
219                 Some(msrv_attr) => {
220                     if let Some(msrv) = msrv_attr.value_str() {
221                         self.msrv = $crate::parse_msrv(
222                             &msrv.to_string(),
223                             Some(cx.sess$($call)?),
224                             Some(msrv_attr.span),
225                         );
226                     } else {
227                         cx.sess$($call)?.span_err(msrv_attr.span, "bad clippy attribute");
228                     }
229                 },
230                 _ => (),
231             }
232         }
233     };
234 }
235
236 /// Returns `true` if the two spans come from differing expansions (i.e., one is
237 /// from a macro and one isn't).
238 #[must_use]
239 pub fn differing_macro_contexts(lhs: Span, rhs: Span) -> bool {
240     rhs.ctxt() != lhs.ctxt()
241 }
242
243 /// Returns `true` if the given `NodeId` is inside a constant context
244 ///
245 /// # Example
246 ///
247 /// ```rust,ignore
248 /// if in_constant(cx, expr.hir_id) {
249 ///     // Do something
250 /// }
251 /// ```
252 pub fn in_constant(cx: &LateContext<'_>, id: HirId) -> bool {
253     let parent_id = cx.tcx.hir().get_parent_item(id);
254     match cx.tcx.hir().get(parent_id) {
255         Node::Item(&Item {
256             kind: ItemKind::Const(..) | ItemKind::Static(..),
257             ..
258         })
259         | Node::TraitItem(&TraitItem {
260             kind: TraitItemKind::Const(..),
261             ..
262         })
263         | Node::ImplItem(&ImplItem {
264             kind: ImplItemKind::Const(..),
265             ..
266         })
267         | Node::AnonConst(_) => true,
268         Node::Item(&Item {
269             kind: ItemKind::Fn(ref sig, ..),
270             ..
271         })
272         | Node::ImplItem(&ImplItem {
273             kind: ImplItemKind::Fn(ref sig, _),
274             ..
275         }) => sig.header.constness == Constness::Const,
276         _ => false,
277     }
278 }
279
280 /// Returns `true` if this `span` was expanded by any macro.
281 #[must_use]
282 pub fn in_macro(span: Span) -> bool {
283     if span.from_expansion() {
284         !matches!(span.ctxt().outer_expn_data().kind, ExpnKind::Desugaring(..))
285     } else {
286         false
287     }
288 }
289
290 // If the snippet is empty, it's an attribute that was inserted during macro
291 // expansion and we want to ignore those, because they could come from external
292 // sources that the user has no control over.
293 // For some reason these attributes don't have any expansion info on them, so
294 // we have to check it this way until there is a better way.
295 pub fn is_present_in_source<T: LintContext>(cx: &T, span: Span) -> bool {
296     if let Some(snippet) = snippet_opt(cx, span) {
297         if snippet.is_empty() {
298             return false;
299         }
300     }
301     true
302 }
303
304 /// Checks if given pattern is a wildcard (`_`)
305 pub fn is_wild<'tcx>(pat: &impl std::ops::Deref<Target = Pat<'tcx>>) -> bool {
306     matches!(pat.kind, PatKind::Wild)
307 }
308
309 /// Checks if type is struct, enum or union type with the given def path.
310 ///
311 /// If the type is a diagnostic item, use `is_type_diagnostic_item` instead.
312 /// If you change the signature, remember to update the internal lint `MatchTypeOnDiagItem`
313 pub fn match_type(cx: &LateContext<'_>, ty: Ty<'_>, path: &[&str]) -> bool {
314     match ty.kind() {
315         ty::Adt(adt, _) => match_def_path(cx, adt.did, path),
316         _ => false,
317     }
318 }
319
320 /// Checks if the type is equal to a diagnostic item
321 ///
322 /// If you change the signature, remember to update the internal lint `MatchTypeOnDiagItem`
323 pub fn is_type_diagnostic_item(cx: &LateContext<'_>, ty: Ty<'_>, diag_item: Symbol) -> bool {
324     match ty.kind() {
325         ty::Adt(adt, _) => cx.tcx.is_diagnostic_item(diag_item, adt.did),
326         _ => false,
327     }
328 }
329
330 /// Checks if the type is equal to a lang item
331 pub fn is_type_lang_item(cx: &LateContext<'_>, ty: Ty<'_>, lang_item: hir::LangItem) -> bool {
332     match ty.kind() {
333         ty::Adt(adt, _) => cx.tcx.lang_items().require(lang_item).unwrap() == adt.did,
334         _ => false,
335     }
336 }
337
338 /// Checks if the method call given in `expr` belongs to the given trait.
339 pub fn match_trait_method(cx: &LateContext<'_>, expr: &Expr<'_>, path: &[&str]) -> bool {
340     let def_id = cx.typeck_results().type_dependent_def_id(expr.hir_id).unwrap();
341     let trt_id = cx.tcx.trait_of_item(def_id);
342     trt_id.map_or(false, |trt_id| match_def_path(cx, trt_id, path))
343 }
344
345 /// Checks if an expression references a variable of the given name.
346 pub fn match_var(expr: &Expr<'_>, var: Symbol) -> bool {
347     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.kind {
348         if let [p] = path.segments {
349             return p.ident.name == var;
350         }
351     }
352     false
353 }
354
355 pub fn last_path_segment<'tcx>(path: &QPath<'tcx>) -> &'tcx PathSegment<'tcx> {
356     match *path {
357         QPath::Resolved(_, ref path) => path.segments.last().expect("A path must have at least one segment"),
358         QPath::TypeRelative(_, ref seg) => seg,
359         QPath::LangItem(..) => panic!("last_path_segment: lang item has no path segments"),
360     }
361 }
362
363 pub fn single_segment_path<'tcx>(path: &QPath<'tcx>) -> Option<&'tcx PathSegment<'tcx>> {
364     match *path {
365         QPath::Resolved(_, ref path) => path.segments.get(0),
366         QPath::TypeRelative(_, ref seg) => Some(seg),
367         QPath::LangItem(..) => None,
368     }
369 }
370
371 /// Matches a `QPath` against a slice of segment string literals.
372 ///
373 /// There is also `match_path` if you are dealing with a `rustc_hir::Path` instead of a
374 /// `rustc_hir::QPath`.
375 ///
376 /// # Examples
377 /// ```rust,ignore
378 /// match_qpath(path, &["std", "rt", "begin_unwind"])
379 /// ```
380 pub fn match_qpath(path: &QPath<'_>, segments: &[&str]) -> bool {
381     match *path {
382         QPath::Resolved(_, ref path) => match_path(path, segments),
383         QPath::TypeRelative(ref ty, ref segment) => match ty.kind {
384             TyKind::Path(ref inner_path) => {
385                 if let [prefix @ .., end] = segments {
386                     if match_qpath(inner_path, prefix) {
387                         return segment.ident.name.as_str() == *end;
388                     }
389                 }
390                 false
391             },
392             _ => false,
393         },
394         QPath::LangItem(..) => false,
395     }
396 }
397
398 /// Matches a `Path` against a slice of segment string literals.
399 ///
400 /// There is also `match_qpath` if you are dealing with a `rustc_hir::QPath` instead of a
401 /// `rustc_hir::Path`.
402 ///
403 /// # Examples
404 ///
405 /// ```rust,ignore
406 /// if match_path(&trait_ref.path, &paths::HASH) {
407 ///     // This is the `std::hash::Hash` trait.
408 /// }
409 ///
410 /// if match_path(ty_path, &["rustc", "lint", "Lint"]) {
411 ///     // This is a `rustc_middle::lint::Lint`.
412 /// }
413 /// ```
414 pub fn match_path(path: &Path<'_>, segments: &[&str]) -> bool {
415     path.segments
416         .iter()
417         .rev()
418         .zip(segments.iter().rev())
419         .all(|(a, b)| a.ident.name.as_str() == *b)
420 }
421
422 /// Matches a `Path` against a slice of segment string literals, e.g.
423 ///
424 /// # Examples
425 /// ```rust,ignore
426 /// match_path_ast(path, &["std", "rt", "begin_unwind"])
427 /// ```
428 pub fn match_path_ast(path: &ast::Path, segments: &[&str]) -> bool {
429     path.segments
430         .iter()
431         .rev()
432         .zip(segments.iter().rev())
433         .all(|(a, b)| a.ident.name.as_str() == *b)
434 }
435
436 /// If the expression is a path to a local, returns the canonical `HirId` of the local.
437 pub fn path_to_local(expr: &Expr<'_>) -> Option<HirId> {
438     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.kind {
439         if let Res::Local(id) = path.res {
440             return Some(id);
441         }
442     }
443     None
444 }
445
446 /// Returns true if the expression is a path to a local with the specified `HirId`.
447 /// Use this function to see if an expression matches a function argument or a match binding.
448 pub fn path_to_local_id(expr: &Expr<'_>, id: HirId) -> bool {
449     path_to_local(expr) == Some(id)
450 }
451
452 /// Gets the definition associated to a path.
453 #[allow(clippy::shadow_unrelated)] // false positive #6563
454 pub fn path_to_res(cx: &LateContext<'_>, path: &[&str]) -> Res {
455     macro_rules! try_res {
456         ($e:expr) => {
457             match $e {
458                 Some(e) => e,
459                 None => return Res::Err,
460             }
461         };
462     }
463     fn item_child_by_name<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, name: &str) -> Option<&'tcx Export<HirId>> {
464         tcx.item_children(def_id)
465             .iter()
466             .find(|item| item.ident.name.as_str() == name)
467     }
468
469     let (krate, first, path) = match *path {
470         [krate, first, ref path @ ..] => (krate, first, path),
471         _ => return Res::Err,
472     };
473     let tcx = cx.tcx;
474     let crates = tcx.crates();
475     let krate = try_res!(crates.iter().find(|&&num| tcx.crate_name(num).as_str() == krate));
476     let first = try_res!(item_child_by_name(tcx, krate.as_def_id(), first));
477     let last = path
478         .iter()
479         .copied()
480         // `get_def_path` seems to generate these empty segments for extern blocks.
481         // We can just ignore them.
482         .filter(|segment| !segment.is_empty())
483         // for each segment, find the child item
484         .try_fold(first, |item, segment| {
485             let def_id = item.res.def_id();
486             if let Some(item) = item_child_by_name(tcx, def_id, segment) {
487                 Some(item)
488             } else if matches!(item.res, Res::Def(DefKind::Enum | DefKind::Struct, _)) {
489                 // it is not a child item so check inherent impl items
490                 tcx.inherent_impls(def_id)
491                     .iter()
492                     .find_map(|&impl_def_id| item_child_by_name(tcx, impl_def_id, segment))
493             } else {
494                 None
495             }
496         });
497     try_res!(last).res
498 }
499
500 /// Convenience function to get the `DefId` of a trait by path.
501 /// It could be a trait or trait alias.
502 pub fn get_trait_def_id(cx: &LateContext<'_>, path: &[&str]) -> Option<DefId> {
503     match path_to_res(cx, path) {
504         Res::Def(DefKind::Trait | DefKind::TraitAlias, trait_id) => Some(trait_id),
505         _ => None,
506     }
507 }
508
509 /// Checks whether a type implements a trait.
510 /// See also `get_trait_def_id`.
511 pub fn implements_trait<'tcx>(
512     cx: &LateContext<'tcx>,
513     ty: Ty<'tcx>,
514     trait_id: DefId,
515     ty_params: &[GenericArg<'tcx>],
516 ) -> bool {
517     // Do not check on infer_types to avoid panic in evaluate_obligation.
518     if ty.has_infer_types() {
519         return false;
520     }
521     let ty = cx.tcx.erase_regions(ty);
522     if ty.has_escaping_bound_vars() {
523         return false;
524     }
525     let ty_params = cx.tcx.mk_substs(ty_params.iter());
526     cx.tcx.type_implements_trait((trait_id, ty, ty_params, cx.param_env))
527 }
528
529 /// Gets the `hir::TraitRef` of the trait the given method is implemented for.
530 ///
531 /// Use this if you want to find the `TraitRef` of the `Add` trait in this example:
532 ///
533 /// ```rust
534 /// struct Point(isize, isize);
535 ///
536 /// impl std::ops::Add for Point {
537 ///     type Output = Self;
538 ///
539 ///     fn add(self, other: Self) -> Self {
540 ///         Point(0, 0)
541 ///     }
542 /// }
543 /// ```
544 pub fn trait_ref_of_method<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx TraitRef<'tcx>> {
545     // Get the implemented trait for the current function
546     let parent_impl = cx.tcx.hir().get_parent_item(hir_id);
547     if_chain! {
548         if parent_impl != hir::CRATE_HIR_ID;
549         if let hir::Node::Item(item) = cx.tcx.hir().get(parent_impl);
550         if let hir::ItemKind::Impl(impl_) = &item.kind;
551         then { return impl_.of_trait.as_ref(); }
552     }
553     None
554 }
555
556 /// Checks whether this type implements `Drop`.
557 pub fn has_drop<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
558     match ty.ty_adt_def() {
559         Some(def) => def.has_dtor(cx.tcx),
560         None => false,
561     }
562 }
563
564 /// Returns the method names and argument list of nested method call expressions that make up
565 /// `expr`. method/span lists are sorted with the most recent call first.
566 pub fn method_calls<'tcx>(
567     expr: &'tcx Expr<'tcx>,
568     max_depth: usize,
569 ) -> (Vec<Symbol>, Vec<&'tcx [Expr<'tcx>]>, Vec<Span>) {
570     let mut method_names = Vec::with_capacity(max_depth);
571     let mut arg_lists = Vec::with_capacity(max_depth);
572     let mut spans = Vec::with_capacity(max_depth);
573
574     let mut current = expr;
575     for _ in 0..max_depth {
576         if let ExprKind::MethodCall(path, span, args, _) = &current.kind {
577             if args.iter().any(|e| e.span.from_expansion()) {
578                 break;
579             }
580             method_names.push(path.ident.name);
581             arg_lists.push(&**args);
582             spans.push(*span);
583             current = &args[0];
584         } else {
585             break;
586         }
587     }
588
589     (method_names, arg_lists, spans)
590 }
591
592 /// Matches an `Expr` against a chain of methods, and return the matched `Expr`s.
593 ///
594 /// For example, if `expr` represents the `.baz()` in `foo.bar().baz()`,
595 /// `method_chain_args(expr, &["bar", "baz"])` will return a `Vec`
596 /// containing the `Expr`s for
597 /// `.bar()` and `.baz()`
598 pub fn method_chain_args<'a>(expr: &'a Expr<'_>, methods: &[&str]) -> Option<Vec<&'a [Expr<'a>]>> {
599     let mut current = expr;
600     let mut matched = Vec::with_capacity(methods.len());
601     for method_name in methods.iter().rev() {
602         // method chains are stored last -> first
603         if let ExprKind::MethodCall(ref path, _, ref args, _) = current.kind {
604             if path.ident.name.as_str() == *method_name {
605                 if args.iter().any(|e| e.span.from_expansion()) {
606                     return None;
607                 }
608                 matched.push(&**args); // build up `matched` backwards
609                 current = &args[0] // go to parent expression
610             } else {
611                 return None;
612             }
613         } else {
614             return None;
615         }
616     }
617     // Reverse `matched` so that it is in the same order as `methods`.
618     matched.reverse();
619     Some(matched)
620 }
621
622 /// Returns `true` if the provided `def_id` is an entrypoint to a program.
623 pub fn is_entrypoint_fn(cx: &LateContext<'_>, def_id: DefId) -> bool {
624     cx.tcx
625         .entry_fn(LOCAL_CRATE)
626         .map_or(false, |(entry_fn_def_id, _)| def_id == entry_fn_def_id.to_def_id())
627 }
628
629 /// Returns `true` if the expression is in the program's `#[panic_handler]`.
630 pub fn is_in_panic_handler(cx: &LateContext<'_>, e: &Expr<'_>) -> bool {
631     let parent = cx.tcx.hir().get_parent_item(e.hir_id);
632     let def_id = cx.tcx.hir().local_def_id(parent).to_def_id();
633     Some(def_id) == cx.tcx.lang_items().panic_impl()
634 }
635
636 /// Gets the name of the item the expression is in, if available.
637 pub fn get_item_name(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<Symbol> {
638     let parent_id = cx.tcx.hir().get_parent_item(expr.hir_id);
639     match cx.tcx.hir().find(parent_id) {
640         Some(
641             Node::Item(Item { ident, .. })
642             | Node::TraitItem(TraitItem { ident, .. })
643             | Node::ImplItem(ImplItem { ident, .. }),
644         ) => Some(ident.name),
645         _ => None,
646     }
647 }
648
649 /// Gets the name of a `Pat`, if any.
650 pub fn get_pat_name(pat: &Pat<'_>) -> Option<Symbol> {
651     match pat.kind {
652         PatKind::Binding(.., ref spname, _) => Some(spname.name),
653         PatKind::Path(ref qpath) => single_segment_path(qpath).map(|ps| ps.ident.name),
654         PatKind::Box(ref p) | PatKind::Ref(ref p, _) => get_pat_name(&*p),
655         _ => None,
656     }
657 }
658
659 struct ContainsName {
660     name: Symbol,
661     result: bool,
662 }
663
664 impl<'tcx> Visitor<'tcx> for ContainsName {
665     type Map = Map<'tcx>;
666
667     fn visit_name(&mut self, _: Span, name: Symbol) {
668         if self.name == name {
669             self.result = true;
670         }
671     }
672     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
673         NestedVisitorMap::None
674     }
675 }
676
677 /// Checks if an `Expr` contains a certain name.
678 pub fn contains_name(name: Symbol, expr: &Expr<'_>) -> bool {
679     let mut cn = ContainsName { name, result: false };
680     cn.visit_expr(expr);
681     cn.result
682 }
683
684 /// Returns `true` if `expr` contains a return expression
685 pub fn contains_return(expr: &hir::Expr<'_>) -> bool {
686     struct RetCallFinder {
687         found: bool,
688     }
689
690     impl<'tcx> hir::intravisit::Visitor<'tcx> for RetCallFinder {
691         type Map = Map<'tcx>;
692
693         fn visit_expr(&mut self, expr: &'tcx hir::Expr<'_>) {
694             if self.found {
695                 return;
696             }
697             if let hir::ExprKind::Ret(..) = &expr.kind {
698                 self.found = true;
699             } else {
700                 hir::intravisit::walk_expr(self, expr);
701             }
702         }
703
704         fn nested_visit_map(&mut self) -> hir::intravisit::NestedVisitorMap<Self::Map> {
705             hir::intravisit::NestedVisitorMap::None
706         }
707     }
708
709     let mut visitor = RetCallFinder { found: false };
710     visitor.visit_expr(expr);
711     visitor.found
712 }
713
714 struct FindMacroCalls<'a, 'b> {
715     names: &'a [&'b str],
716     result: Vec<Span>,
717 }
718
719 impl<'a, 'b, 'tcx> Visitor<'tcx> for FindMacroCalls<'a, 'b> {
720     type Map = Map<'tcx>;
721
722     fn visit_expr(&mut self, expr: &'tcx Expr<'_>) {
723         if self.names.iter().any(|fun| is_expn_of(expr.span, fun).is_some()) {
724             self.result.push(expr.span);
725         }
726         // and check sub-expressions
727         intravisit::walk_expr(self, expr);
728     }
729
730     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
731         NestedVisitorMap::None
732     }
733 }
734
735 /// Finds calls of the specified macros in a function body.
736 pub fn find_macro_calls(names: &[&str], body: &Body<'_>) -> Vec<Span> {
737     let mut fmc = FindMacroCalls {
738         names,
739         result: Vec::new(),
740     };
741     fmc.visit_expr(&body.value);
742     fmc.result
743 }
744
745 /// Converts a span to a code snippet if available, otherwise use default.
746 ///
747 /// This is useful if you want to provide suggestions for your lint or more generally, if you want
748 /// to convert a given `Span` to a `str`.
749 ///
750 /// # Example
751 /// ```rust,ignore
752 /// snippet(cx, expr.span, "..")
753 /// ```
754 pub fn snippet<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
755     snippet_opt(cx, span).map_or_else(|| Cow::Borrowed(default), From::from)
756 }
757
758 /// Same as `snippet`, but it adapts the applicability level by following rules:
759 ///
760 /// - Applicability level `Unspecified` will never be changed.
761 /// - If the span is inside a macro, change the applicability level to `MaybeIncorrect`.
762 /// - If the default value is used and the applicability level is `MachineApplicable`, change it to
763 /// `HasPlaceholders`
764 pub fn snippet_with_applicability<'a, T: LintContext>(
765     cx: &T,
766     span: Span,
767     default: &'a str,
768     applicability: &mut Applicability,
769 ) -> Cow<'a, str> {
770     if *applicability != Applicability::Unspecified && span.from_expansion() {
771         *applicability = Applicability::MaybeIncorrect;
772     }
773     snippet_opt(cx, span).map_or_else(
774         || {
775             if *applicability == Applicability::MachineApplicable {
776                 *applicability = Applicability::HasPlaceholders;
777             }
778             Cow::Borrowed(default)
779         },
780         From::from,
781     )
782 }
783
784 /// Same as `snippet`, but should only be used when it's clear that the input span is
785 /// not a macro argument.
786 pub fn snippet_with_macro_callsite<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
787     snippet(cx, span.source_callsite(), default)
788 }
789
790 /// Converts a span to a code snippet. Returns `None` if not available.
791 pub fn snippet_opt<T: LintContext>(cx: &T, span: Span) -> Option<String> {
792     cx.sess().source_map().span_to_snippet(span).ok()
793 }
794
795 /// Converts a span (from a block) to a code snippet if available, otherwise use default.
796 ///
797 /// This trims the code of indentation, except for the first line. Use it for blocks or block-like
798 /// things which need to be printed as such.
799 ///
800 /// The `indent_relative_to` arg can be used, to provide a span, where the indentation of the
801 /// resulting snippet of the given span.
802 ///
803 /// # Example
804 ///
805 /// ```rust,ignore
806 /// snippet_block(cx, block.span, "..", None)
807 /// // where, `block` is the block of the if expr
808 ///     if x {
809 ///         y;
810 ///     }
811 /// // will return the snippet
812 /// {
813 ///     y;
814 /// }
815 /// ```
816 ///
817 /// ```rust,ignore
818 /// snippet_block(cx, block.span, "..", Some(if_expr.span))
819 /// // where, `block` is the block of the if expr
820 ///     if x {
821 ///         y;
822 ///     }
823 /// // will return the snippet
824 /// {
825 ///         y;
826 ///     } // aligned with `if`
827 /// ```
828 /// Note that the first line of the snippet always has 0 indentation.
829 pub fn snippet_block<'a, T: LintContext>(
830     cx: &T,
831     span: Span,
832     default: &'a str,
833     indent_relative_to: Option<Span>,
834 ) -> Cow<'a, str> {
835     let snip = snippet(cx, span, default);
836     let indent = indent_relative_to.and_then(|s| indent_of(cx, s));
837     reindent_multiline(snip, true, indent)
838 }
839
840 /// Same as `snippet_block`, but adapts the applicability level by the rules of
841 /// `snippet_with_applicability`.
842 pub fn snippet_block_with_applicability<'a, T: LintContext>(
843     cx: &T,
844     span: Span,
845     default: &'a str,
846     indent_relative_to: Option<Span>,
847     applicability: &mut Applicability,
848 ) -> Cow<'a, str> {
849     let snip = snippet_with_applicability(cx, span, default, applicability);
850     let indent = indent_relative_to.and_then(|s| indent_of(cx, s));
851     reindent_multiline(snip, true, indent)
852 }
853
854 /// Returns a new Span that extends the original Span to the first non-whitespace char of the first
855 /// line.
856 ///
857 /// ```rust,ignore
858 ///     let x = ();
859 /// //          ^^
860 /// // will be converted to
861 ///     let x = ();
862 /// //  ^^^^^^^^^^
863 /// ```
864 pub fn first_line_of_span<T: LintContext>(cx: &T, span: Span) -> Span {
865     first_char_in_first_line(cx, span).map_or(span, |first_char_pos| span.with_lo(first_char_pos))
866 }
867
868 fn first_char_in_first_line<T: LintContext>(cx: &T, span: Span) -> Option<BytePos> {
869     let line_span = line_span(cx, span);
870     snippet_opt(cx, line_span).and_then(|snip| {
871         snip.find(|c: char| !c.is_whitespace())
872             .map(|pos| line_span.lo() + BytePos::from_usize(pos))
873     })
874 }
875
876 /// Returns the indentation of the line of a span
877 ///
878 /// ```rust,ignore
879 /// let x = ();
880 /// //      ^^ -- will return 0
881 ///     let x = ();
882 /// //          ^^ -- will return 4
883 /// ```
884 pub fn indent_of<T: LintContext>(cx: &T, span: Span) -> Option<usize> {
885     snippet_opt(cx, line_span(cx, span)).and_then(|snip| snip.find(|c: char| !c.is_whitespace()))
886 }
887
888 /// Returns the positon just before rarrow
889 ///
890 /// ```rust,ignore
891 /// fn into(self) -> () {}
892 ///              ^
893 /// // in case of unformatted code
894 /// fn into2(self)-> () {}
895 ///               ^
896 /// fn into3(self)   -> () {}
897 ///               ^
898 /// ```
899 pub fn position_before_rarrow(s: &str) -> Option<usize> {
900     s.rfind("->").map(|rpos| {
901         let mut rpos = rpos;
902         let chars: Vec<char> = s.chars().collect();
903         while rpos > 1 {
904             if let Some(c) = chars.get(rpos - 1) {
905                 if c.is_whitespace() {
906                     rpos -= 1;
907                     continue;
908                 }
909             }
910             break;
911         }
912         rpos
913     })
914 }
915
916 /// Extends the span to the beginning of the spans line, incl. whitespaces.
917 ///
918 /// ```rust,ignore
919 ///        let x = ();
920 /// //             ^^
921 /// // will be converted to
922 ///        let x = ();
923 /// // ^^^^^^^^^^^^^^
924 /// ```
925 fn line_span<T: LintContext>(cx: &T, span: Span) -> Span {
926     let span = original_sp(span, DUMMY_SP);
927     let source_map_and_line = cx.sess().source_map().lookup_line(span.lo()).unwrap();
928     let line_no = source_map_and_line.line;
929     let line_start = source_map_and_line.sf.lines[line_no];
930     Span::new(line_start, span.hi(), span.ctxt())
931 }
932
933 /// Like `snippet_block`, but add braces if the expr is not an `ExprKind::Block`.
934 /// Also takes an `Option<String>` which can be put inside the braces.
935 pub fn expr_block<'a, T: LintContext>(
936     cx: &T,
937     expr: &Expr<'_>,
938     option: Option<String>,
939     default: &'a str,
940     indent_relative_to: Option<Span>,
941 ) -> Cow<'a, str> {
942     let code = snippet_block(cx, expr.span, default, indent_relative_to);
943     let string = option.unwrap_or_default();
944     if expr.span.from_expansion() {
945         Cow::Owned(format!("{{ {} }}", snippet_with_macro_callsite(cx, expr.span, default)))
946     } else if let ExprKind::Block(_, _) = expr.kind {
947         Cow::Owned(format!("{}{}", code, string))
948     } else if string.is_empty() {
949         Cow::Owned(format!("{{ {} }}", code))
950     } else {
951         Cow::Owned(format!("{{\n{};\n{}\n}}", code, string))
952     }
953 }
954
955 /// Reindent a multiline string with possibility of ignoring the first line.
956 #[allow(clippy::needless_pass_by_value)]
957 pub fn reindent_multiline(s: Cow<'_, str>, ignore_first: bool, indent: Option<usize>) -> Cow<'_, str> {
958     let s_space = reindent_multiline_inner(&s, ignore_first, indent, ' ');
959     let s_tab = reindent_multiline_inner(&s_space, ignore_first, indent, '\t');
960     reindent_multiline_inner(&s_tab, ignore_first, indent, ' ').into()
961 }
962
963 fn reindent_multiline_inner(s: &str, ignore_first: bool, indent: Option<usize>, ch: char) -> String {
964     let x = s
965         .lines()
966         .skip(ignore_first as usize)
967         .filter_map(|l| {
968             if l.is_empty() {
969                 None
970             } else {
971                 // ignore empty lines
972                 Some(l.char_indices().find(|&(_, x)| x != ch).unwrap_or((l.len(), ch)).0)
973             }
974         })
975         .min()
976         .unwrap_or(0);
977     let indent = indent.unwrap_or(0);
978     s.lines()
979         .enumerate()
980         .map(|(i, l)| {
981             if (ignore_first && i == 0) || l.is_empty() {
982                 l.to_owned()
983             } else if x > indent {
984                 l.split_at(x - indent).1.to_owned()
985             } else {
986                 " ".repeat(indent - x) + l
987             }
988         })
989         .collect::<Vec<String>>()
990         .join("\n")
991 }
992
993 /// Gets the parent expression, if any â€“- this is useful to constrain a lint.
994 pub fn get_parent_expr<'tcx>(cx: &LateContext<'tcx>, e: &Expr<'_>) -> Option<&'tcx Expr<'tcx>> {
995     let map = &cx.tcx.hir();
996     let hir_id = e.hir_id;
997     let parent_id = map.get_parent_node(hir_id);
998     if hir_id == parent_id {
999         return None;
1000     }
1001     map.find(parent_id).and_then(|node| {
1002         if let Node::Expr(parent) = node {
1003             Some(parent)
1004         } else {
1005             None
1006         }
1007     })
1008 }
1009
1010 pub fn get_enclosing_block<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx Block<'tcx>> {
1011     let map = &cx.tcx.hir();
1012     let enclosing_node = map
1013         .get_enclosing_scope(hir_id)
1014         .and_then(|enclosing_id| map.find(enclosing_id));
1015     enclosing_node.and_then(|node| match node {
1016         Node::Block(block) => Some(block),
1017         Node::Item(&Item {
1018             kind: ItemKind::Fn(_, _, eid),
1019             ..
1020         })
1021         | Node::ImplItem(&ImplItem {
1022             kind: ImplItemKind::Fn(_, eid),
1023             ..
1024         }) => match cx.tcx.hir().body(eid).value.kind {
1025             ExprKind::Block(ref block, _) => Some(block),
1026             _ => None,
1027         },
1028         _ => None,
1029     })
1030 }
1031
1032 /// Returns the base type for HIR references and pointers.
1033 pub fn walk_ptrs_hir_ty<'tcx>(ty: &'tcx hir::Ty<'tcx>) -> &'tcx hir::Ty<'tcx> {
1034     match ty.kind {
1035         TyKind::Ptr(ref mut_ty) | TyKind::Rptr(_, ref mut_ty) => walk_ptrs_hir_ty(&mut_ty.ty),
1036         _ => ty,
1037     }
1038 }
1039
1040 /// Returns the base type for references and raw pointers, and count reference
1041 /// depth.
1042 pub fn walk_ptrs_ty_depth(ty: Ty<'_>) -> (Ty<'_>, usize) {
1043     fn inner(ty: Ty<'_>, depth: usize) -> (Ty<'_>, usize) {
1044         match ty.kind() {
1045             ty::Ref(_, ty, _) => inner(ty, depth + 1),
1046             _ => (ty, depth),
1047         }
1048     }
1049     inner(ty, 0)
1050 }
1051
1052 /// Checks whether the given expression is a constant integer of the given value.
1053 /// unlike `is_integer_literal`, this version does const folding
1054 pub fn is_integer_const(cx: &LateContext<'_>, e: &Expr<'_>, value: u128) -> bool {
1055     if is_integer_literal(e, value) {
1056         return true;
1057     }
1058     let map = cx.tcx.hir();
1059     let parent_item = map.get_parent_item(e.hir_id);
1060     if let Some((Constant::Int(v), _)) = map
1061         .maybe_body_owned_by(parent_item)
1062         .and_then(|body_id| constant(cx, cx.tcx.typeck_body(body_id), e))
1063     {
1064         value == v
1065     } else {
1066         false
1067     }
1068 }
1069
1070 /// Checks whether the given expression is a constant literal of the given value.
1071 pub fn is_integer_literal(expr: &Expr<'_>, value: u128) -> bool {
1072     // FIXME: use constant folding
1073     if let ExprKind::Lit(ref spanned) = expr.kind {
1074         if let LitKind::Int(v, _) = spanned.node {
1075             return v == value;
1076         }
1077     }
1078     false
1079 }
1080
1081 /// Returns `true` if the given `Expr` has been coerced before.
1082 ///
1083 /// Examples of coercions can be found in the Nomicon at
1084 /// <https://doc.rust-lang.org/nomicon/coercions.html>.
1085 ///
1086 /// See `rustc_middle::ty::adjustment::Adjustment` and `rustc_typeck::check::coercion` for more
1087 /// information on adjustments and coercions.
1088 pub fn is_adjusted(cx: &LateContext<'_>, e: &Expr<'_>) -> bool {
1089     cx.typeck_results().adjustments().get(e.hir_id).is_some()
1090 }
1091
1092 /// Returns the pre-expansion span if is this comes from an expansion of the
1093 /// macro `name`.
1094 /// See also `is_direct_expn_of`.
1095 #[must_use]
1096 pub fn is_expn_of(mut span: Span, name: &str) -> Option<Span> {
1097     loop {
1098         if span.from_expansion() {
1099             let data = span.ctxt().outer_expn_data();
1100             let new_span = data.call_site;
1101
1102             if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
1103                 if mac_name.as_str() == name {
1104                     return Some(new_span);
1105                 }
1106             }
1107
1108             span = new_span;
1109         } else {
1110             return None;
1111         }
1112     }
1113 }
1114
1115 /// Returns the pre-expansion span if the span directly comes from an expansion
1116 /// of the macro `name`.
1117 /// The difference with `is_expn_of` is that in
1118 /// ```rust,ignore
1119 /// foo!(bar!(42));
1120 /// ```
1121 /// `42` is considered expanded from `foo!` and `bar!` by `is_expn_of` but only
1122 /// `bar!` by
1123 /// `is_direct_expn_of`.
1124 #[must_use]
1125 pub fn is_direct_expn_of(span: Span, name: &str) -> Option<Span> {
1126     if span.from_expansion() {
1127         let data = span.ctxt().outer_expn_data();
1128         let new_span = data.call_site;
1129
1130         if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
1131             if mac_name.as_str() == name {
1132                 return Some(new_span);
1133             }
1134         }
1135     }
1136
1137     None
1138 }
1139
1140 /// Convenience function to get the return type of a function.
1141 pub fn return_ty<'tcx>(cx: &LateContext<'tcx>, fn_item: hir::HirId) -> Ty<'tcx> {
1142     let fn_def_id = cx.tcx.hir().local_def_id(fn_item);
1143     let ret_ty = cx.tcx.fn_sig(fn_def_id).output();
1144     cx.tcx.erase_late_bound_regions(ret_ty)
1145 }
1146
1147 /// Walks into `ty` and returns `true` if any inner type is the same as `other_ty`
1148 pub fn contains_ty(ty: Ty<'_>, other_ty: Ty<'_>) -> bool {
1149     ty.walk().any(|inner| match inner.unpack() {
1150         GenericArgKind::Type(inner_ty) => ty::TyS::same_type(other_ty, inner_ty),
1151         GenericArgKind::Lifetime(_) | GenericArgKind::Const(_) => false,
1152     })
1153 }
1154
1155 /// Returns `true` if the given type is an `unsafe` function.
1156 pub fn type_is_unsafe_function<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
1157     match ty.kind() {
1158         ty::FnDef(..) | ty::FnPtr(_) => ty.fn_sig(cx.tcx).unsafety() == Unsafety::Unsafe,
1159         _ => false,
1160     }
1161 }
1162
1163 pub fn is_copy<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
1164     ty.is_copy_modulo_regions(cx.tcx.at(DUMMY_SP), cx.param_env)
1165 }
1166
1167 /// Checks if an expression is constructing a tuple-like enum variant or struct
1168 pub fn is_ctor_or_promotable_const_function(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
1169     if let ExprKind::Call(ref fun, _) = expr.kind {
1170         if let ExprKind::Path(ref qp) = fun.kind {
1171             let res = cx.qpath_res(qp, fun.hir_id);
1172             return match res {
1173                 def::Res::Def(DefKind::Variant | DefKind::Ctor(..), ..) => true,
1174                 def::Res::Def(_, def_id) => cx.tcx.is_promotable_const_fn(def_id),
1175                 _ => false,
1176             };
1177         }
1178     }
1179     false
1180 }
1181
1182 /// Returns `true` if a pattern is refutable.
1183 // TODO: should be implemented using rustc/mir_build/thir machinery
1184 pub fn is_refutable(cx: &LateContext<'_>, pat: &Pat<'_>) -> bool {
1185     fn is_enum_variant(cx: &LateContext<'_>, qpath: &QPath<'_>, id: HirId) -> bool {
1186         matches!(
1187             cx.qpath_res(qpath, id),
1188             def::Res::Def(DefKind::Variant, ..) | Res::Def(DefKind::Ctor(def::CtorOf::Variant, _), _)
1189         )
1190     }
1191
1192     fn are_refutable<'a, I: Iterator<Item = &'a Pat<'a>>>(cx: &LateContext<'_>, mut i: I) -> bool {
1193         i.any(|pat| is_refutable(cx, pat))
1194     }
1195
1196     match pat.kind {
1197         PatKind::Wild => false,
1198         PatKind::Binding(_, _, _, pat) => pat.map_or(false, |pat| is_refutable(cx, pat)),
1199         PatKind::Box(ref pat) | PatKind::Ref(ref pat, _) => is_refutable(cx, pat),
1200         PatKind::Lit(..) | PatKind::Range(..) => true,
1201         PatKind::Path(ref qpath) => is_enum_variant(cx, qpath, pat.hir_id),
1202         PatKind::Or(ref pats) => {
1203             // TODO: should be the honest check, that pats is exhaustive set
1204             are_refutable(cx, pats.iter().map(|pat| &**pat))
1205         },
1206         PatKind::Tuple(ref pats, _) => are_refutable(cx, pats.iter().map(|pat| &**pat)),
1207         PatKind::Struct(ref qpath, ref fields, _) => {
1208             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, fields.iter().map(|field| &*field.pat))
1209         },
1210         PatKind::TupleStruct(ref qpath, ref pats, _) => {
1211             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, pats.iter().map(|pat| &**pat))
1212         },
1213         PatKind::Slice(ref head, ref middle, ref tail) => {
1214             match &cx.typeck_results().node_type(pat.hir_id).kind() {
1215                 ty::Slice(..) => {
1216                     // [..] is the only irrefutable slice pattern.
1217                     !head.is_empty() || middle.is_none() || !tail.is_empty()
1218                 },
1219                 ty::Array(..) => are_refutable(cx, head.iter().chain(middle).chain(tail.iter()).map(|pat| &**pat)),
1220                 _ => {
1221                     // unreachable!()
1222                     true
1223                 },
1224             }
1225         },
1226     }
1227 }
1228
1229 /// Checks for the `#[automatically_derived]` attribute all `#[derive]`d
1230 /// implementations have.
1231 pub fn is_automatically_derived(attrs: &[ast::Attribute]) -> bool {
1232     attrs.iter().any(|attr| attr.has_name(sym::automatically_derived))
1233 }
1234
1235 /// Remove blocks around an expression.
1236 ///
1237 /// Ie. `x`, `{ x }` and `{{{{ x }}}}` all give `x`. `{ x; y }` and `{}` return
1238 /// themselves.
1239 pub fn remove_blocks<'tcx>(mut expr: &'tcx Expr<'tcx>) -> &'tcx Expr<'tcx> {
1240     while let ExprKind::Block(ref block, ..) = expr.kind {
1241         match (block.stmts.is_empty(), block.expr.as_ref()) {
1242             (true, Some(e)) => expr = e,
1243             _ => break,
1244         }
1245     }
1246     expr
1247 }
1248
1249 pub fn is_self(slf: &Param<'_>) -> bool {
1250     if let PatKind::Binding(.., name, _) = slf.pat.kind {
1251         name.name == kw::SelfLower
1252     } else {
1253         false
1254     }
1255 }
1256
1257 pub fn is_self_ty(slf: &hir::Ty<'_>) -> bool {
1258     if_chain! {
1259         if let TyKind::Path(QPath::Resolved(None, ref path)) = slf.kind;
1260         if let Res::SelfTy(..) = path.res;
1261         then {
1262             return true
1263         }
1264     }
1265     false
1266 }
1267
1268 pub fn iter_input_pats<'tcx>(decl: &FnDecl<'_>, body: &'tcx Body<'_>) -> impl Iterator<Item = &'tcx Param<'tcx>> {
1269     (0..decl.inputs.len()).map(move |i| &body.params[i])
1270 }
1271
1272 /// Checks if a given expression is a match expression expanded from the `?`
1273 /// operator or the `try` macro.
1274 pub fn is_try<'tcx>(expr: &'tcx Expr<'tcx>) -> Option<&'tcx Expr<'tcx>> {
1275     fn is_ok(arm: &Arm<'_>) -> bool {
1276         if_chain! {
1277             if let PatKind::TupleStruct(ref path, ref pat, None) = arm.pat.kind;
1278             if match_qpath(path, &paths::RESULT_OK[1..]);
1279             if let PatKind::Binding(_, hir_id, _, None) = pat[0].kind;
1280             if path_to_local_id(arm.body, hir_id);
1281             then {
1282                 return true;
1283             }
1284         }
1285         false
1286     }
1287
1288     fn is_err(arm: &Arm<'_>) -> bool {
1289         if let PatKind::TupleStruct(ref path, _, _) = arm.pat.kind {
1290             match_qpath(path, &paths::RESULT_ERR[1..])
1291         } else {
1292             false
1293         }
1294     }
1295
1296     if let ExprKind::Match(_, ref arms, ref source) = expr.kind {
1297         // desugared from a `?` operator
1298         if let MatchSource::TryDesugar = *source {
1299             return Some(expr);
1300         }
1301
1302         if_chain! {
1303             if arms.len() == 2;
1304             if arms[0].guard.is_none();
1305             if arms[1].guard.is_none();
1306             if (is_ok(&arms[0]) && is_err(&arms[1])) ||
1307                 (is_ok(&arms[1]) && is_err(&arms[0]));
1308             then {
1309                 return Some(expr);
1310             }
1311         }
1312     }
1313
1314     None
1315 }
1316
1317 /// Returns `true` if the lint is allowed in the current context
1318 ///
1319 /// Useful for skipping long running code when it's unnecessary
1320 pub fn is_allowed(cx: &LateContext<'_>, lint: &'static Lint, id: HirId) -> bool {
1321     cx.tcx.lint_level_at_node(lint, id).0 == Level::Allow
1322 }
1323
1324 pub fn strip_pat_refs<'hir>(mut pat: &'hir Pat<'hir>) -> &'hir Pat<'hir> {
1325     while let PatKind::Ref(subpat, _) = pat.kind {
1326         pat = subpat;
1327     }
1328     pat
1329 }
1330
1331 pub fn int_bits(tcx: TyCtxt<'_>, ity: ty::IntTy) -> u64 {
1332     Integer::from_int_ty(&tcx, ity).size().bits()
1333 }
1334
1335 #[allow(clippy::cast_possible_wrap)]
1336 /// Turn a constant int byte representation into an i128
1337 pub fn sext(tcx: TyCtxt<'_>, u: u128, ity: ty::IntTy) -> i128 {
1338     let amt = 128 - int_bits(tcx, ity);
1339     ((u as i128) << amt) >> amt
1340 }
1341
1342 #[allow(clippy::cast_sign_loss)]
1343 /// clip unused bytes
1344 pub fn unsext(tcx: TyCtxt<'_>, u: i128, ity: ty::IntTy) -> u128 {
1345     let amt = 128 - int_bits(tcx, ity);
1346     ((u as u128) << amt) >> amt
1347 }
1348
1349 /// clip unused bytes
1350 pub fn clip(tcx: TyCtxt<'_>, u: u128, ity: ty::UintTy) -> u128 {
1351     let bits = Integer::from_uint_ty(&tcx, ity).size().bits();
1352     let amt = 128 - bits;
1353     (u << amt) >> amt
1354 }
1355
1356 /// Removes block comments from the given `Vec` of lines.
1357 ///
1358 /// # Examples
1359 ///
1360 /// ```rust,ignore
1361 /// without_block_comments(vec!["/*", "foo", "*/"]);
1362 /// // => vec![]
1363 ///
1364 /// without_block_comments(vec!["bar", "/*", "foo", "*/"]);
1365 /// // => vec!["bar"]
1366 /// ```
1367 pub fn without_block_comments(lines: Vec<&str>) -> Vec<&str> {
1368     let mut without = vec![];
1369
1370     let mut nest_level = 0;
1371
1372     for line in lines {
1373         if line.contains("/*") {
1374             nest_level += 1;
1375             continue;
1376         } else if line.contains("*/") {
1377             nest_level -= 1;
1378             continue;
1379         }
1380
1381         if nest_level == 0 {
1382             without.push(line);
1383         }
1384     }
1385
1386     without
1387 }
1388
1389 pub fn any_parent_is_automatically_derived(tcx: TyCtxt<'_>, node: HirId) -> bool {
1390     let map = &tcx.hir();
1391     let mut prev_enclosing_node = None;
1392     let mut enclosing_node = node;
1393     while Some(enclosing_node) != prev_enclosing_node {
1394         if is_automatically_derived(map.attrs(enclosing_node)) {
1395             return true;
1396         }
1397         prev_enclosing_node = Some(enclosing_node);
1398         enclosing_node = map.get_parent_item(enclosing_node);
1399     }
1400     false
1401 }
1402
1403 /// Returns true if ty has `iter` or `iter_mut` methods
1404 pub fn has_iter_method(cx: &LateContext<'_>, probably_ref_ty: Ty<'_>) -> Option<&'static str> {
1405     // FIXME: instead of this hard-coded list, we should check if `<adt>::iter`
1406     // exists and has the desired signature. Unfortunately FnCtxt is not exported
1407     // so we can't use its `lookup_method` method.
1408     let into_iter_collections: [&[&str]; 13] = [
1409         &paths::VEC,
1410         &paths::OPTION,
1411         &paths::RESULT,
1412         &paths::BTREESET,
1413         &paths::BTREEMAP,
1414         &paths::VEC_DEQUE,
1415         &paths::LINKED_LIST,
1416         &paths::BINARY_HEAP,
1417         &paths::HASHSET,
1418         &paths::HASHMAP,
1419         &paths::PATH_BUF,
1420         &paths::PATH,
1421         &paths::RECEIVER,
1422     ];
1423
1424     let ty_to_check = match probably_ref_ty.kind() {
1425         ty::Ref(_, ty_to_check, _) => ty_to_check,
1426         _ => probably_ref_ty,
1427     };
1428
1429     let def_id = match ty_to_check.kind() {
1430         ty::Array(..) => return Some("array"),
1431         ty::Slice(..) => return Some("slice"),
1432         ty::Adt(adt, _) => adt.did,
1433         _ => return None,
1434     };
1435
1436     for path in &into_iter_collections {
1437         if match_def_path(cx, def_id, path) {
1438             return Some(*path.last().unwrap());
1439         }
1440     }
1441     None
1442 }
1443
1444 /// Matches a function call with the given path and returns the arguments.
1445 ///
1446 /// Usage:
1447 ///
1448 /// ```rust,ignore
1449 /// if let Some(args) = match_function_call(cx, cmp_max_call, &paths::CMP_MAX);
1450 /// ```
1451 pub fn match_function_call<'tcx>(
1452     cx: &LateContext<'tcx>,
1453     expr: &'tcx Expr<'_>,
1454     path: &[&str],
1455 ) -> Option<&'tcx [Expr<'tcx>]> {
1456     if_chain! {
1457         if let ExprKind::Call(ref fun, ref args) = expr.kind;
1458         if let ExprKind::Path(ref qpath) = fun.kind;
1459         if let Some(fun_def_id) = cx.qpath_res(qpath, fun.hir_id).opt_def_id();
1460         if match_def_path(cx, fun_def_id, path);
1461         then {
1462             return Some(&args)
1463         }
1464     };
1465     None
1466 }
1467
1468 /// Checks if `Ty` is normalizable. This function is useful
1469 /// to avoid crashes on `layout_of`.
1470 pub fn is_normalizable<'tcx>(cx: &LateContext<'tcx>, param_env: ty::ParamEnv<'tcx>, ty: Ty<'tcx>) -> bool {
1471     cx.tcx.infer_ctxt().enter(|infcx| {
1472         let cause = rustc_middle::traits::ObligationCause::dummy();
1473         infcx.at(&cause, param_env).normalize(ty).is_ok()
1474     })
1475 }
1476
1477 pub fn match_def_path<'tcx>(cx: &LateContext<'tcx>, did: DefId, syms: &[&str]) -> bool {
1478     // We have to convert `syms` to `&[Symbol]` here because rustc's `match_def_path`
1479     // accepts only that. We should probably move to Symbols in Clippy as well.
1480     let syms = syms.iter().map(|p| Symbol::intern(p)).collect::<Vec<Symbol>>();
1481     cx.match_def_path(did, &syms)
1482 }
1483
1484 pub fn match_panic_call<'tcx>(cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) -> Option<&'tcx [Expr<'tcx>]> {
1485     match_function_call(cx, expr, &paths::BEGIN_PANIC)
1486         .or_else(|| match_function_call(cx, expr, &paths::BEGIN_PANIC_FMT))
1487         .or_else(|| match_function_call(cx, expr, &paths::PANIC_ANY))
1488         .or_else(|| match_function_call(cx, expr, &paths::PANICKING_PANIC))
1489         .or_else(|| match_function_call(cx, expr, &paths::PANICKING_PANIC_FMT))
1490         .or_else(|| match_function_call(cx, expr, &paths::PANICKING_PANIC_STR))
1491 }
1492
1493 pub fn match_panic_def_id(cx: &LateContext<'_>, did: DefId) -> bool {
1494     match_def_path(cx, did, &paths::BEGIN_PANIC)
1495         || match_def_path(cx, did, &paths::BEGIN_PANIC_FMT)
1496         || match_def_path(cx, did, &paths::PANIC_ANY)
1497         || match_def_path(cx, did, &paths::PANICKING_PANIC)
1498         || match_def_path(cx, did, &paths::PANICKING_PANIC_FMT)
1499         || match_def_path(cx, did, &paths::PANICKING_PANIC_STR)
1500 }
1501
1502 /// Returns the list of condition expressions and the list of blocks in a
1503 /// sequence of `if/else`.
1504 /// E.g., this returns `([a, b], [c, d, e])` for the expression
1505 /// `if a { c } else if b { d } else { e }`.
1506 pub fn if_sequence<'tcx>(
1507     mut expr: &'tcx Expr<'tcx>,
1508 ) -> (SmallVec<[&'tcx Expr<'tcx>; 1]>, SmallVec<[&'tcx Block<'tcx>; 1]>) {
1509     let mut conds = SmallVec::new();
1510     let mut blocks: SmallVec<[&Block<'_>; 1]> = SmallVec::new();
1511
1512     while let ExprKind::If(ref cond, ref then_expr, ref else_expr) = expr.kind {
1513         conds.push(&**cond);
1514         if let ExprKind::Block(ref block, _) = then_expr.kind {
1515             blocks.push(block);
1516         } else {
1517             panic!("ExprKind::If node is not an ExprKind::Block");
1518         }
1519
1520         if let Some(ref else_expr) = *else_expr {
1521             expr = else_expr;
1522         } else {
1523             break;
1524         }
1525     }
1526
1527     // final `else {..}`
1528     if !blocks.is_empty() {
1529         if let ExprKind::Block(ref block, _) = expr.kind {
1530             blocks.push(&**block);
1531         }
1532     }
1533
1534     (conds, blocks)
1535 }
1536
1537 pub fn parent_node_is_if_expr(expr: &Expr<'_>, cx: &LateContext<'_>) -> bool {
1538     let map = cx.tcx.hir();
1539     let parent_id = map.get_parent_node(expr.hir_id);
1540     let parent_node = map.get(parent_id);
1541     matches!(
1542         parent_node,
1543         Node::Expr(Expr {
1544             kind: ExprKind::If(_, _, _),
1545             ..
1546         })
1547     )
1548 }
1549
1550 // Finds the attribute with the given name, if any
1551 pub fn attr_by_name<'a>(attrs: &'a [Attribute], name: &'_ str) -> Option<&'a Attribute> {
1552     attrs
1553         .iter()
1554         .find(|attr| attr.ident().map_or(false, |ident| ident.as_str() == name))
1555 }
1556
1557 // Finds the `#[must_use]` attribute, if any
1558 pub fn must_use_attr(attrs: &[Attribute]) -> Option<&Attribute> {
1559     attr_by_name(attrs, "must_use")
1560 }
1561
1562 // Returns whether the type has #[must_use] attribute
1563 pub fn is_must_use_ty<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
1564     match ty.kind() {
1565         ty::Adt(ref adt, _) => must_use_attr(&cx.tcx.get_attrs(adt.did)).is_some(),
1566         ty::Foreign(ref did) => must_use_attr(&cx.tcx.get_attrs(*did)).is_some(),
1567         ty::Slice(ref ty)
1568         | ty::Array(ref ty, _)
1569         | ty::RawPtr(ty::TypeAndMut { ref ty, .. })
1570         | ty::Ref(_, ref ty, _) => {
1571             // for the Array case we don't need to care for the len == 0 case
1572             // because we don't want to lint functions returning empty arrays
1573             is_must_use_ty(cx, *ty)
1574         },
1575         ty::Tuple(ref substs) => substs.types().any(|ty| is_must_use_ty(cx, ty)),
1576         ty::Opaque(ref def_id, _) => {
1577             for (predicate, _) in cx.tcx.explicit_item_bounds(*def_id) {
1578                 if let ty::PredicateKind::Trait(trait_predicate, _) = predicate.kind().skip_binder() {
1579                     if must_use_attr(&cx.tcx.get_attrs(trait_predicate.trait_ref.def_id)).is_some() {
1580                         return true;
1581                     }
1582                 }
1583             }
1584             false
1585         },
1586         ty::Dynamic(binder, _) => {
1587             for predicate in binder.iter() {
1588                 if let ty::ExistentialPredicate::Trait(ref trait_ref) = predicate.skip_binder() {
1589                     if must_use_attr(&cx.tcx.get_attrs(trait_ref.def_id)).is_some() {
1590                         return true;
1591                     }
1592                 }
1593             }
1594             false
1595         },
1596         _ => false,
1597     }
1598 }
1599
1600 // check if expr is calling method or function with #[must_use] attribute
1601 pub fn is_must_use_func_call(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
1602     let did = match expr.kind {
1603         ExprKind::Call(ref path, _) => if_chain! {
1604             if let ExprKind::Path(ref qpath) = path.kind;
1605             if let def::Res::Def(_, did) = cx.qpath_res(qpath, path.hir_id);
1606             then {
1607                 Some(did)
1608             } else {
1609                 None
1610             }
1611         },
1612         ExprKind::MethodCall(_, _, _, _) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1613         _ => None,
1614     };
1615
1616     did.map_or(false, |did| must_use_attr(&cx.tcx.get_attrs(did)).is_some())
1617 }
1618
1619 pub fn is_no_std_crate(krate: &Crate<'_>) -> bool {
1620     krate.item.attrs.iter().any(|attr| {
1621         if let ast::AttrKind::Normal(ref attr, _) = attr.kind {
1622             attr.path == sym::no_std
1623         } else {
1624             false
1625         }
1626     })
1627 }
1628
1629 /// Check if parent of a hir node is a trait implementation block.
1630 /// For example, `f` in
1631 /// ```rust,ignore
1632 /// impl Trait for S {
1633 ///     fn f() {}
1634 /// }
1635 /// ```
1636 pub fn is_trait_impl_item(cx: &LateContext<'_>, hir_id: HirId) -> bool {
1637     if let Some(Node::Item(item)) = cx.tcx.hir().find(cx.tcx.hir().get_parent_node(hir_id)) {
1638         matches!(item.kind, ItemKind::Impl(hir::Impl { of_trait: Some(_), .. }))
1639     } else {
1640         false
1641     }
1642 }
1643
1644 /// Check if it's even possible to satisfy the `where` clause for the item.
1645 ///
1646 /// `trivial_bounds` feature allows functions with unsatisfiable bounds, for example:
1647 ///
1648 /// ```ignore
1649 /// fn foo() where i32: Iterator {
1650 ///     for _ in 2i32 {}
1651 /// }
1652 /// ```
1653 pub fn fn_has_unsatisfiable_preds(cx: &LateContext<'_>, did: DefId) -> bool {
1654     use rustc_trait_selection::traits;
1655     let predicates =
1656         cx.tcx
1657             .predicates_of(did)
1658             .predicates
1659             .iter()
1660             .filter_map(|(p, _)| if p.is_global() { Some(*p) } else { None });
1661     traits::impossible_predicates(
1662         cx.tcx,
1663         traits::elaborate_predicates(cx.tcx, predicates)
1664             .map(|o| o.predicate)
1665             .collect::<Vec<_>>(),
1666     )
1667 }
1668
1669 /// Returns the `DefId` of the callee if the given expression is a function or method call.
1670 pub fn fn_def_id(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<DefId> {
1671     match &expr.kind {
1672         ExprKind::MethodCall(..) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1673         ExprKind::Call(
1674             Expr {
1675                 kind: ExprKind::Path(qpath),
1676                 hir_id: path_hir_id,
1677                 ..
1678             },
1679             ..,
1680         ) => cx.typeck_results().qpath_res(qpath, *path_hir_id).opt_def_id(),
1681         _ => None,
1682     }
1683 }
1684
1685 pub fn run_lints(cx: &LateContext<'_>, lints: &[&'static Lint], id: HirId) -> bool {
1686     lints.iter().any(|lint| {
1687         matches!(
1688             cx.tcx.lint_level_at_node(lint, id),
1689             (Level::Forbid | Level::Deny | Level::Warn, _)
1690         )
1691     })
1692 }
1693
1694 /// Returns true iff the given type is a primitive (a bool or char, any integer or floating-point
1695 /// number type, a str, or an array, slice, or tuple of those types).
1696 pub fn is_recursively_primitive_type(ty: Ty<'_>) -> bool {
1697     match ty.kind() {
1698         ty::Bool | ty::Char | ty::Int(_) | ty::Uint(_) | ty::Float(_) | ty::Str => true,
1699         ty::Ref(_, inner, _) if *inner.kind() == ty::Str => true,
1700         ty::Array(inner_type, _) | ty::Slice(inner_type) => is_recursively_primitive_type(inner_type),
1701         ty::Tuple(inner_types) => inner_types.types().all(is_recursively_primitive_type),
1702         _ => false,
1703     }
1704 }
1705
1706 /// Returns Option<String> where String is a textual representation of the type encapsulated in the
1707 /// slice iff the given expression is a slice of primitives (as defined in the
1708 /// `is_recursively_primitive_type` function) and None otherwise.
1709 pub fn is_slice_of_primitives(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<String> {
1710     let expr_type = cx.typeck_results().expr_ty_adjusted(expr);
1711     let expr_kind = expr_type.kind();
1712     let is_primitive = match expr_kind {
1713         ty::Slice(element_type) => is_recursively_primitive_type(element_type),
1714         ty::Ref(_, inner_ty, _) if matches!(inner_ty.kind(), &ty::Slice(_)) => {
1715             if let ty::Slice(element_type) = inner_ty.kind() {
1716                 is_recursively_primitive_type(element_type)
1717             } else {
1718                 unreachable!()
1719             }
1720         },
1721         _ => false,
1722     };
1723
1724     if is_primitive {
1725         // if we have wrappers like Array, Slice or Tuple, print these
1726         // and get the type enclosed in the slice ref
1727         match expr_type.peel_refs().walk().nth(1).unwrap().expect_ty().kind() {
1728             ty::Slice(..) => return Some("slice".into()),
1729             ty::Array(..) => return Some("array".into()),
1730             ty::Tuple(..) => return Some("tuple".into()),
1731             _ => {
1732                 // is_recursively_primitive_type() should have taken care
1733                 // of the rest and we can rely on the type that is found
1734                 let refs_peeled = expr_type.peel_refs();
1735                 return Some(refs_peeled.walk().last().unwrap().to_string());
1736             },
1737         }
1738     }
1739     None
1740 }
1741
1742 /// returns list of all pairs (a, b) from `exprs` such that `eq(a, b)`
1743 /// `hash` must be comformed with `eq`
1744 pub fn search_same<T, Hash, Eq>(exprs: &[T], hash: Hash, eq: Eq) -> Vec<(&T, &T)>
1745 where
1746     Hash: Fn(&T) -> u64,
1747     Eq: Fn(&T, &T) -> bool,
1748 {
1749     if exprs.len() == 2 && eq(&exprs[0], &exprs[1]) {
1750         return vec![(&exprs[0], &exprs[1])];
1751     }
1752
1753     let mut match_expr_list: Vec<(&T, &T)> = Vec::new();
1754
1755     let mut map: FxHashMap<_, Vec<&_>> =
1756         FxHashMap::with_capacity_and_hasher(exprs.len(), BuildHasherDefault::default());
1757
1758     for expr in exprs {
1759         match map.entry(hash(expr)) {
1760             Entry::Occupied(mut o) => {
1761                 for o in o.get() {
1762                     if eq(o, expr) {
1763                         match_expr_list.push((o, expr));
1764                     }
1765                 }
1766                 o.get_mut().push(expr);
1767             },
1768             Entry::Vacant(v) => {
1769                 v.insert(vec![expr]);
1770             },
1771         }
1772     }
1773
1774     match_expr_list
1775 }
1776
1777 /// Peels off all references on the pattern. Returns the underlying pattern and the number of
1778 /// references removed.
1779 pub fn peel_hir_pat_refs(pat: &'a Pat<'a>) -> (&'a Pat<'a>, usize) {
1780     fn peel(pat: &'a Pat<'a>, count: usize) -> (&'a Pat<'a>, usize) {
1781         if let PatKind::Ref(pat, _) = pat.kind {
1782             peel(pat, count + 1)
1783         } else {
1784             (pat, count)
1785         }
1786     }
1787     peel(pat, 0)
1788 }
1789
1790 /// Peels off up to the given number of references on the expression. Returns the underlying
1791 /// expression and the number of references removed.
1792 pub fn peel_n_hir_expr_refs(expr: &'a Expr<'a>, count: usize) -> (&'a Expr<'a>, usize) {
1793     fn f(expr: &'a Expr<'a>, count: usize, target: usize) -> (&'a Expr<'a>, usize) {
1794         match expr.kind {
1795             ExprKind::AddrOf(_, _, expr) if count != target => f(expr, count + 1, target),
1796             _ => (expr, count),
1797         }
1798     }
1799     f(expr, 0, count)
1800 }
1801
1802 /// Peels off all references on the expression. Returns the underlying expression and the number of
1803 /// references removed.
1804 pub fn peel_hir_expr_refs(expr: &'a Expr<'a>) -> (&'a Expr<'a>, usize) {
1805     fn f(expr: &'a Expr<'a>, count: usize) -> (&'a Expr<'a>, usize) {
1806         match expr.kind {
1807             ExprKind::AddrOf(BorrowKind::Ref, _, expr) => f(expr, count + 1),
1808             _ => (expr, count),
1809         }
1810     }
1811     f(expr, 0)
1812 }
1813
1814 /// Peels off all references on the type. Returns the underlying type and the number of references
1815 /// removed.
1816 pub fn peel_mid_ty_refs(ty: Ty<'_>) -> (Ty<'_>, usize) {
1817     fn peel(ty: Ty<'_>, count: usize) -> (Ty<'_>, usize) {
1818         if let ty::Ref(_, ty, _) = ty.kind() {
1819             peel(ty, count + 1)
1820         } else {
1821             (ty, count)
1822         }
1823     }
1824     peel(ty, 0)
1825 }
1826
1827 /// Peels off all references on the type.Returns the underlying type, the number of references
1828 /// removed, and whether the pointer is ultimately mutable or not.
1829 pub fn peel_mid_ty_refs_is_mutable(ty: Ty<'_>) -> (Ty<'_>, usize, Mutability) {
1830     fn f(ty: Ty<'_>, count: usize, mutability: Mutability) -> (Ty<'_>, usize, Mutability) {
1831         match ty.kind() {
1832             ty::Ref(_, ty, Mutability::Mut) => f(ty, count + 1, mutability),
1833             ty::Ref(_, ty, Mutability::Not) => f(ty, count + 1, Mutability::Not),
1834             _ => (ty, count, mutability),
1835         }
1836     }
1837     f(ty, 0, Mutability::Mut)
1838 }
1839
1840 #[macro_export]
1841 macro_rules! unwrap_cargo_metadata {
1842     ($cx: ident, $lint: ident, $deps: expr) => {{
1843         let mut command = cargo_metadata::MetadataCommand::new();
1844         if !$deps {
1845             command.no_deps();
1846         }
1847
1848         match command.exec() {
1849             Ok(metadata) => metadata,
1850             Err(err) => {
1851                 span_lint($cx, $lint, DUMMY_SP, &format!("could not read cargo metadata: {}", err));
1852                 return;
1853             },
1854         }
1855     }};
1856 }
1857
1858 pub fn is_hir_ty_cfg_dependant(cx: &LateContext<'_>, ty: &hir::Ty<'_>) -> bool {
1859     if_chain! {
1860         if let TyKind::Path(QPath::Resolved(_, path)) = ty.kind;
1861         if let Res::Def(_, def_id) = path.res;
1862         then {
1863             cx.tcx.has_attr(def_id, sym::cfg) || cx.tcx.has_attr(def_id, sym::cfg_attr)
1864         } else {
1865             false
1866         }
1867     }
1868 }
1869
1870 /// Check if the resolution of a given path is an `Ok` variant of `Result`.
1871 pub fn is_ok_ctor(cx: &LateContext<'_>, res: Res) -> bool {
1872     if let Some(ok_id) = cx.tcx.lang_items().result_ok_variant() {
1873         if let Res::Def(DefKind::Ctor(CtorOf::Variant, CtorKind::Fn), id) = res {
1874             if let Some(variant_id) = cx.tcx.parent(id) {
1875                 return variant_id == ok_id;
1876             }
1877         }
1878     }
1879     false
1880 }
1881
1882 /// Check if the resolution of a given path is a `Some` variant of `Option`.
1883 pub fn is_some_ctor(cx: &LateContext<'_>, res: Res) -> bool {
1884     if let Some(some_id) = cx.tcx.lang_items().option_some_variant() {
1885         if let Res::Def(DefKind::Ctor(CtorOf::Variant, CtorKind::Fn), id) = res {
1886             if let Some(variant_id) = cx.tcx.parent(id) {
1887                 return variant_id == some_id;
1888             }
1889         }
1890     }
1891     false
1892 }
1893
1894 #[cfg(test)]
1895 mod test {
1896     use super::{reindent_multiline, without_block_comments};
1897
1898     #[test]
1899     fn test_reindent_multiline_single_line() {
1900         assert_eq!("", reindent_multiline("".into(), false, None));
1901         assert_eq!("...", reindent_multiline("...".into(), false, None));
1902         assert_eq!("...", reindent_multiline("    ...".into(), false, None));
1903         assert_eq!("...", reindent_multiline("\t...".into(), false, None));
1904         assert_eq!("...", reindent_multiline("\t\t...".into(), false, None));
1905     }
1906
1907     #[test]
1908     #[rustfmt::skip]
1909     fn test_reindent_multiline_block() {
1910         assert_eq!("\
1911     if x {
1912         y
1913     } else {
1914         z
1915     }", reindent_multiline("    if x {
1916             y
1917         } else {
1918             z
1919         }".into(), false, None));
1920         assert_eq!("\
1921     if x {
1922     \ty
1923     } else {
1924     \tz
1925     }", reindent_multiline("    if x {
1926         \ty
1927         } else {
1928         \tz
1929         }".into(), false, None));
1930     }
1931
1932     #[test]
1933     #[rustfmt::skip]
1934     fn test_reindent_multiline_empty_line() {
1935         assert_eq!("\
1936     if x {
1937         y
1938
1939     } else {
1940         z
1941     }", reindent_multiline("    if x {
1942             y
1943
1944         } else {
1945             z
1946         }".into(), false, None));
1947     }
1948
1949     #[test]
1950     #[rustfmt::skip]
1951     fn test_reindent_multiline_lines_deeper() {
1952         assert_eq!("\
1953         if x {
1954             y
1955         } else {
1956             z
1957         }", reindent_multiline("\
1958     if x {
1959         y
1960     } else {
1961         z
1962     }".into(), true, Some(8)));
1963     }
1964
1965     #[test]
1966     fn test_without_block_comments_lines_without_block_comments() {
1967         let result = without_block_comments(vec!["/*", "", "*/"]);
1968         println!("result: {:?}", result);
1969         assert!(result.is_empty());
1970
1971         let result = without_block_comments(vec!["", "/*", "", "*/", "#[crate_type = \"lib\"]", "/*", "", "*/", ""]);
1972         assert_eq!(result, vec!["", "#[crate_type = \"lib\"]", ""]);
1973
1974         let result = without_block_comments(vec!["/* rust", "", "*/"]);
1975         assert!(result.is_empty());
1976
1977         let result = without_block_comments(vec!["/* one-line comment */"]);
1978         assert!(result.is_empty());
1979
1980         let result = without_block_comments(vec!["/* nested", "/* multi-line", "comment", "*/", "test", "*/"]);
1981         assert!(result.is_empty());
1982
1983         let result = without_block_comments(vec!["/* nested /* inline /* comment */ test */ */"]);
1984         assert!(result.is_empty());
1985
1986         let result = without_block_comments(vec!["foo", "bar", "baz"]);
1987         assert_eq!(result, vec!["foo", "bar", "baz"]);
1988     }
1989 }