]> git.lizzy.rs Git - rust.git/blob - src/tools/clippy/clippy_lints/src/utils/mod.rs
Move `qualify_min_const_fn` out of rustc into clippy
[rust.git] / src / tools / clippy / clippy_lints / src / utils / mod.rs
1 #[macro_use]
2 pub mod sym;
3
4 #[allow(clippy::module_name_repetitions)]
5 pub mod ast_utils;
6 pub mod attrs;
7 pub mod author;
8 pub mod camel_case;
9 pub mod comparisons;
10 pub mod conf;
11 pub mod constants;
12 mod diagnostics;
13 pub mod eager_or_lazy;
14 pub mod higher;
15 mod hir_utils;
16 pub mod inspector;
17 pub mod internal_lints;
18 pub mod numeric_literal;
19 pub mod paths;
20 pub mod ptr;
21 pub mod sugg;
22 pub mod usage;
23 pub mod qualify_min_const_fn;
24
25 pub use self::attrs::*;
26 pub use self::diagnostics::*;
27 pub use self::hir_utils::{both, eq_expr_value, over, SpanlessEq, SpanlessHash};
28
29 use std::borrow::Cow;
30 use std::mem;
31
32 use if_chain::if_chain;
33 use rustc_ast::ast::{self, Attribute, LitKind};
34 use rustc_attr as attr;
35 use rustc_errors::Applicability;
36 use rustc_hir as hir;
37 use rustc_hir::def::{DefKind, Res};
38 use rustc_hir::def_id::{DefId, CRATE_DEF_INDEX, LOCAL_CRATE};
39 use rustc_hir::intravisit::{NestedVisitorMap, Visitor};
40 use rustc_hir::Node;
41 use rustc_hir::{
42     def, Arm, Block, Body, Constness, Crate, Expr, ExprKind, FnDecl, HirId, ImplItem, ImplItemKind, Item, ItemKind,
43     MatchSource, Param, Pat, PatKind, Path, PathSegment, QPath, TraitItem, TraitItemKind, TraitRef, TyKind, Unsafety,
44 };
45 use rustc_infer::infer::TyCtxtInferExt;
46 use rustc_lint::{LateContext, Level, Lint, LintContext};
47 use rustc_middle::hir::map::Map;
48 use rustc_middle::ty::subst::{GenericArg, GenericArgKind};
49 use rustc_middle::ty::{self, layout::IntegerExt, Ty, TyCtxt, TypeFoldable};
50 use rustc_mir::const_eval;
51 use rustc_span::hygiene::{ExpnKind, MacroKind};
52 use rustc_span::source_map::original_sp;
53 use rustc_span::symbol::{self, kw, Symbol};
54 use rustc_span::{BytePos, Pos, Span, DUMMY_SP};
55 use rustc_target::abi::Integer;
56 use rustc_trait_selection::traits::query::normalize::AtExt;
57 use smallvec::SmallVec;
58
59 use crate::consts::{constant, Constant};
60
61 /// Returns `true` if the two spans come from differing expansions (i.e., one is
62 /// from a macro and one isn't).
63 #[must_use]
64 pub fn differing_macro_contexts(lhs: Span, rhs: Span) -> bool {
65     rhs.ctxt() != lhs.ctxt()
66 }
67
68 /// Returns `true` if the given `NodeId` is inside a constant context
69 ///
70 /// # Example
71 ///
72 /// ```rust,ignore
73 /// if in_constant(cx, expr.hir_id) {
74 ///     // Do something
75 /// }
76 /// ```
77 pub fn in_constant(cx: &LateContext<'_>, id: HirId) -> bool {
78     let parent_id = cx.tcx.hir().get_parent_item(id);
79     match cx.tcx.hir().get(parent_id) {
80         Node::Item(&Item {
81             kind: ItemKind::Const(..) | ItemKind::Static(..),
82             ..
83         })
84         | Node::TraitItem(&TraitItem {
85             kind: TraitItemKind::Const(..),
86             ..
87         })
88         | Node::ImplItem(&ImplItem {
89             kind: ImplItemKind::Const(..),
90             ..
91         })
92         | Node::AnonConst(_) => true,
93         Node::Item(&Item {
94             kind: ItemKind::Fn(ref sig, ..),
95             ..
96         })
97         | Node::ImplItem(&ImplItem {
98             kind: ImplItemKind::Fn(ref sig, _),
99             ..
100         }) => sig.header.constness == Constness::Const,
101         _ => false,
102     }
103 }
104
105 /// Returns `true` if this `span` was expanded by any macro.
106 #[must_use]
107 pub fn in_macro(span: Span) -> bool {
108     if span.from_expansion() {
109         !matches!(span.ctxt().outer_expn_data().kind, ExpnKind::Desugaring(..))
110     } else {
111         false
112     }
113 }
114
115 // If the snippet is empty, it's an attribute that was inserted during macro
116 // expansion and we want to ignore those, because they could come from external
117 // sources that the user has no control over.
118 // For some reason these attributes don't have any expansion info on them, so
119 // we have to check it this way until there is a better way.
120 pub fn is_present_in_source<T: LintContext>(cx: &T, span: Span) -> bool {
121     if let Some(snippet) = snippet_opt(cx, span) {
122         if snippet.is_empty() {
123             return false;
124         }
125     }
126     true
127 }
128
129 /// Checks if given pattern is a wildcard (`_`)
130 pub fn is_wild<'tcx>(pat: &impl std::ops::Deref<Target = Pat<'tcx>>) -> bool {
131     matches!(pat.kind, PatKind::Wild)
132 }
133
134 /// Checks if type is struct, enum or union type with the given def path.
135 ///
136 /// If the type is a diagnostic item, use `is_type_diagnostic_item` instead.
137 /// If you change the signature, remember to update the internal lint `MatchTypeOnDiagItem`
138 pub fn match_type(cx: &LateContext<'_>, ty: Ty<'_>, path: &[&str]) -> bool {
139     match ty.kind() {
140         ty::Adt(adt, _) => match_def_path(cx, adt.did, path),
141         _ => false,
142     }
143 }
144
145 /// Checks if the type is equal to a diagnostic item
146 ///
147 /// If you change the signature, remember to update the internal lint `MatchTypeOnDiagItem`
148 pub fn is_type_diagnostic_item(cx: &LateContext<'_>, ty: Ty<'_>, diag_item: Symbol) -> bool {
149     match ty.kind() {
150         ty::Adt(adt, _) => cx.tcx.is_diagnostic_item(diag_item, adt.did),
151         _ => false,
152     }
153 }
154
155 /// Checks if the type is equal to a lang item
156 pub fn is_type_lang_item(cx: &LateContext<'_>, ty: Ty<'_>, lang_item: hir::LangItem) -> bool {
157     match ty.kind() {
158         ty::Adt(adt, _) => cx.tcx.lang_items().require(lang_item).unwrap() == adt.did,
159         _ => false,
160     }
161 }
162
163 /// Checks if the method call given in `expr` belongs to the given trait.
164 pub fn match_trait_method(cx: &LateContext<'_>, expr: &Expr<'_>, path: &[&str]) -> bool {
165     let def_id = cx.typeck_results().type_dependent_def_id(expr.hir_id).unwrap();
166     let trt_id = cx.tcx.trait_of_item(def_id);
167     trt_id.map_or(false, |trt_id| match_def_path(cx, trt_id, path))
168 }
169
170 /// Checks if an expression references a variable of the given name.
171 pub fn match_var(expr: &Expr<'_>, var: Symbol) -> bool {
172     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.kind {
173         if let [p] = path.segments {
174             return p.ident.name == var;
175         }
176     }
177     false
178 }
179
180 pub fn last_path_segment<'tcx>(path: &QPath<'tcx>) -> &'tcx PathSegment<'tcx> {
181     match *path {
182         QPath::Resolved(_, ref path) => path.segments.last().expect("A path must have at least one segment"),
183         QPath::TypeRelative(_, ref seg) => seg,
184         QPath::LangItem(..) => panic!("last_path_segment: lang item has no path segments"),
185     }
186 }
187
188 pub fn single_segment_path<'tcx>(path: &QPath<'tcx>) -> Option<&'tcx PathSegment<'tcx>> {
189     match *path {
190         QPath::Resolved(_, ref path) => path.segments.get(0),
191         QPath::TypeRelative(_, ref seg) => Some(seg),
192         QPath::LangItem(..) => None,
193     }
194 }
195
196 /// Matches a `QPath` against a slice of segment string literals.
197 ///
198 /// There is also `match_path` if you are dealing with a `rustc_hir::Path` instead of a
199 /// `rustc_hir::QPath`.
200 ///
201 /// # Examples
202 /// ```rust,ignore
203 /// match_qpath(path, &["std", "rt", "begin_unwind"])
204 /// ```
205 pub fn match_qpath(path: &QPath<'_>, segments: &[&str]) -> bool {
206     match *path {
207         QPath::Resolved(_, ref path) => match_path(path, segments),
208         QPath::TypeRelative(ref ty, ref segment) => match ty.kind {
209             TyKind::Path(ref inner_path) => {
210                 if let [prefix @ .., end] = segments {
211                     if match_qpath(inner_path, prefix) {
212                         return segment.ident.name.as_str() == *end;
213                     }
214                 }
215                 false
216             },
217             _ => false,
218         },
219         QPath::LangItem(..) => false,
220     }
221 }
222
223 /// Matches a `Path` against a slice of segment string literals.
224 ///
225 /// There is also `match_qpath` if you are dealing with a `rustc_hir::QPath` instead of a
226 /// `rustc_hir::Path`.
227 ///
228 /// # Examples
229 ///
230 /// ```rust,ignore
231 /// if match_path(&trait_ref.path, &paths::HASH) {
232 ///     // This is the `std::hash::Hash` trait.
233 /// }
234 ///
235 /// if match_path(ty_path, &["rustc", "lint", "Lint"]) {
236 ///     // This is a `rustc_middle::lint::Lint`.
237 /// }
238 /// ```
239 pub fn match_path(path: &Path<'_>, segments: &[&str]) -> bool {
240     path.segments
241         .iter()
242         .rev()
243         .zip(segments.iter().rev())
244         .all(|(a, b)| a.ident.name.as_str() == *b)
245 }
246
247 /// Matches a `Path` against a slice of segment string literals, e.g.
248 ///
249 /// # Examples
250 /// ```rust,ignore
251 /// match_path_ast(path, &["std", "rt", "begin_unwind"])
252 /// ```
253 pub fn match_path_ast(path: &ast::Path, segments: &[&str]) -> bool {
254     path.segments
255         .iter()
256         .rev()
257         .zip(segments.iter().rev())
258         .all(|(a, b)| a.ident.name.as_str() == *b)
259 }
260
261 /// Gets the definition associated to a path.
262 pub fn path_to_res(cx: &LateContext<'_>, path: &[&str]) -> Option<def::Res> {
263     let crates = cx.tcx.crates();
264     let krate = crates
265         .iter()
266         .find(|&&krate| cx.tcx.crate_name(krate).as_str() == path[0]);
267     if let Some(krate) = krate {
268         let krate = DefId {
269             krate: *krate,
270             index: CRATE_DEF_INDEX,
271         };
272         let mut items = cx.tcx.item_children(krate);
273         let mut path_it = path.iter().skip(1).peekable();
274
275         loop {
276             let segment = match path_it.next() {
277                 Some(segment) => segment,
278                 None => return None,
279             };
280
281             let result = SmallVec::<[_; 8]>::new();
282             for item in mem::replace(&mut items, cx.tcx.arena.alloc_slice(&result)).iter() {
283                 if item.ident.name.as_str() == *segment {
284                     if path_it.peek().is_none() {
285                         return Some(item.res);
286                     }
287
288                     items = cx.tcx.item_children(item.res.def_id());
289                     break;
290                 }
291             }
292         }
293     } else {
294         None
295     }
296 }
297
298 pub fn qpath_res(cx: &LateContext<'_>, qpath: &hir::QPath<'_>, id: hir::HirId) -> Res {
299     match qpath {
300         hir::QPath::Resolved(_, path) => path.res,
301         hir::QPath::TypeRelative(..) | hir::QPath::LangItem(..) => {
302             if cx.tcx.has_typeck_results(id.owner.to_def_id()) {
303                 cx.tcx.typeck(id.owner.to_def_id().expect_local()).qpath_res(qpath, id)
304             } else {
305                 Res::Err
306             }
307         },
308     }
309 }
310
311 /// Convenience function to get the `DefId` of a trait by path.
312 /// It could be a trait or trait alias.
313 pub fn get_trait_def_id(cx: &LateContext<'_>, path: &[&str]) -> Option<DefId> {
314     let res = match path_to_res(cx, path) {
315         Some(res) => res,
316         None => return None,
317     };
318
319     match res {
320         Res::Def(DefKind::Trait | DefKind::TraitAlias, trait_id) => Some(trait_id),
321         Res::Err => unreachable!("this trait resolution is impossible: {:?}", &path),
322         _ => None,
323     }
324 }
325
326 /// Checks whether a type implements a trait.
327 /// See also `get_trait_def_id`.
328 pub fn implements_trait<'tcx>(
329     cx: &LateContext<'tcx>,
330     ty: Ty<'tcx>,
331     trait_id: DefId,
332     ty_params: &[GenericArg<'tcx>],
333 ) -> bool {
334     // Do not check on infer_types to avoid panic in evaluate_obligation.
335     if ty.has_infer_types() {
336         return false;
337     }
338     let ty = cx.tcx.erase_regions(&ty);
339     let ty_params = cx.tcx.mk_substs(ty_params.iter());
340     cx.tcx.type_implements_trait((trait_id, ty, ty_params, cx.param_env))
341 }
342
343 /// Gets the `hir::TraitRef` of the trait the given method is implemented for.
344 ///
345 /// Use this if you want to find the `TraitRef` of the `Add` trait in this example:
346 ///
347 /// ```rust
348 /// struct Point(isize, isize);
349 ///
350 /// impl std::ops::Add for Point {
351 ///     type Output = Self;
352 ///
353 ///     fn add(self, other: Self) -> Self {
354 ///         Point(0, 0)
355 ///     }
356 /// }
357 /// ```
358 pub fn trait_ref_of_method<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx TraitRef<'tcx>> {
359     // Get the implemented trait for the current function
360     let parent_impl = cx.tcx.hir().get_parent_item(hir_id);
361     if_chain! {
362         if parent_impl != hir::CRATE_HIR_ID;
363         if let hir::Node::Item(item) = cx.tcx.hir().get(parent_impl);
364         if let hir::ItemKind::Impl{ of_trait: trait_ref, .. } = &item.kind;
365         then { return trait_ref.as_ref(); }
366     }
367     None
368 }
369
370 /// Checks whether this type implements `Drop`.
371 pub fn has_drop<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
372     match ty.ty_adt_def() {
373         Some(def) => def.has_dtor(cx.tcx),
374         None => false,
375     }
376 }
377
378 /// Returns the method names and argument list of nested method call expressions that make up
379 /// `expr`. method/span lists are sorted with the most recent call first.
380 pub fn method_calls<'tcx>(
381     expr: &'tcx Expr<'tcx>,
382     max_depth: usize,
383 ) -> (Vec<Symbol>, Vec<&'tcx [Expr<'tcx>]>, Vec<Span>) {
384     let mut method_names = Vec::with_capacity(max_depth);
385     let mut arg_lists = Vec::with_capacity(max_depth);
386     let mut spans = Vec::with_capacity(max_depth);
387
388     let mut current = expr;
389     for _ in 0..max_depth {
390         if let ExprKind::MethodCall(path, span, args, _) = &current.kind {
391             if args.iter().any(|e| e.span.from_expansion()) {
392                 break;
393             }
394             method_names.push(path.ident.name);
395             arg_lists.push(&**args);
396             spans.push(*span);
397             current = &args[0];
398         } else {
399             break;
400         }
401     }
402
403     (method_names, arg_lists, spans)
404 }
405
406 /// Matches an `Expr` against a chain of methods, and return the matched `Expr`s.
407 ///
408 /// For example, if `expr` represents the `.baz()` in `foo.bar().baz()`,
409 /// `method_chain_args(expr, &["bar", "baz"])` will return a `Vec`
410 /// containing the `Expr`s for
411 /// `.bar()` and `.baz()`
412 pub fn method_chain_args<'a>(expr: &'a Expr<'_>, methods: &[&str]) -> Option<Vec<&'a [Expr<'a>]>> {
413     let mut current = expr;
414     let mut matched = Vec::with_capacity(methods.len());
415     for method_name in methods.iter().rev() {
416         // method chains are stored last -> first
417         if let ExprKind::MethodCall(ref path, _, ref args, _) = current.kind {
418             if path.ident.name.as_str() == *method_name {
419                 if args.iter().any(|e| e.span.from_expansion()) {
420                     return None;
421                 }
422                 matched.push(&**args); // build up `matched` backwards
423                 current = &args[0] // go to parent expression
424             } else {
425                 return None;
426             }
427         } else {
428             return None;
429         }
430     }
431     // Reverse `matched` so that it is in the same order as `methods`.
432     matched.reverse();
433     Some(matched)
434 }
435
436 /// Returns `true` if the provided `def_id` is an entrypoint to a program.
437 pub fn is_entrypoint_fn(cx: &LateContext<'_>, def_id: DefId) -> bool {
438     cx.tcx
439         .entry_fn(LOCAL_CRATE)
440         .map_or(false, |(entry_fn_def_id, _)| def_id == entry_fn_def_id.to_def_id())
441 }
442
443 /// Gets the name of the item the expression is in, if available.
444 pub fn get_item_name(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<Symbol> {
445     let parent_id = cx.tcx.hir().get_parent_item(expr.hir_id);
446     match cx.tcx.hir().find(parent_id) {
447         Some(
448             Node::Item(Item { ident, .. })
449             | Node::TraitItem(TraitItem { ident, .. })
450             | Node::ImplItem(ImplItem { ident, .. }),
451         ) => Some(ident.name),
452         _ => None,
453     }
454 }
455
456 /// Gets the name of a `Pat`, if any.
457 pub fn get_pat_name(pat: &Pat<'_>) -> Option<Symbol> {
458     match pat.kind {
459         PatKind::Binding(.., ref spname, _) => Some(spname.name),
460         PatKind::Path(ref qpath) => single_segment_path(qpath).map(|ps| ps.ident.name),
461         PatKind::Box(ref p) | PatKind::Ref(ref p, _) => get_pat_name(&*p),
462         _ => None,
463     }
464 }
465
466 struct ContainsName {
467     name: Symbol,
468     result: bool,
469 }
470
471 impl<'tcx> Visitor<'tcx> for ContainsName {
472     type Map = Map<'tcx>;
473
474     fn visit_name(&mut self, _: Span, name: Symbol) {
475         if self.name == name {
476             self.result = true;
477         }
478     }
479     fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
480         NestedVisitorMap::None
481     }
482 }
483
484 /// Checks if an `Expr` contains a certain name.
485 pub fn contains_name(name: Symbol, expr: &Expr<'_>) -> bool {
486     let mut cn = ContainsName { name, result: false };
487     cn.visit_expr(expr);
488     cn.result
489 }
490
491 /// Converts a span to a code snippet if available, otherwise use default.
492 ///
493 /// This is useful if you want to provide suggestions for your lint or more generally, if you want
494 /// to convert a given `Span` to a `str`.
495 ///
496 /// # Example
497 /// ```rust,ignore
498 /// snippet(cx, expr.span, "..")
499 /// ```
500 pub fn snippet<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
501     snippet_opt(cx, span).map_or_else(|| Cow::Borrowed(default), From::from)
502 }
503
504 /// Same as `snippet`, but it adapts the applicability level by following rules:
505 ///
506 /// - Applicability level `Unspecified` will never be changed.
507 /// - If the span is inside a macro, change the applicability level to `MaybeIncorrect`.
508 /// - If the default value is used and the applicability level is `MachineApplicable`, change it to
509 /// `HasPlaceholders`
510 pub fn snippet_with_applicability<'a, T: LintContext>(
511     cx: &T,
512     span: Span,
513     default: &'a str,
514     applicability: &mut Applicability,
515 ) -> Cow<'a, str> {
516     if *applicability != Applicability::Unspecified && span.from_expansion() {
517         *applicability = Applicability::MaybeIncorrect;
518     }
519     snippet_opt(cx, span).map_or_else(
520         || {
521             if *applicability == Applicability::MachineApplicable {
522                 *applicability = Applicability::HasPlaceholders;
523             }
524             Cow::Borrowed(default)
525         },
526         From::from,
527     )
528 }
529
530 /// Same as `snippet`, but should only be used when it's clear that the input span is
531 /// not a macro argument.
532 pub fn snippet_with_macro_callsite<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
533     snippet(cx, span.source_callsite(), default)
534 }
535
536 /// Converts a span to a code snippet. Returns `None` if not available.
537 pub fn snippet_opt<T: LintContext>(cx: &T, span: Span) -> Option<String> {
538     cx.sess().source_map().span_to_snippet(span).ok()
539 }
540
541 /// Converts a span (from a block) to a code snippet if available, otherwise use default.
542 ///
543 /// This trims the code of indentation, except for the first line. Use it for blocks or block-like
544 /// things which need to be printed as such.
545 ///
546 /// The `indent_relative_to` arg can be used, to provide a span, where the indentation of the
547 /// resulting snippet of the given span.
548 ///
549 /// # Example
550 ///
551 /// ```rust,ignore
552 /// snippet_block(cx, block.span, "..", None)
553 /// // where, `block` is the block of the if expr
554 ///     if x {
555 ///         y;
556 ///     }
557 /// // will return the snippet
558 /// {
559 ///     y;
560 /// }
561 /// ```
562 ///
563 /// ```rust,ignore
564 /// snippet_block(cx, block.span, "..", Some(if_expr.span))
565 /// // where, `block` is the block of the if expr
566 ///     if x {
567 ///         y;
568 ///     }
569 /// // will return the snippet
570 /// {
571 ///         y;
572 ///     } // aligned with `if`
573 /// ```
574 /// Note that the first line of the snippet always has 0 indentation.
575 pub fn snippet_block<'a, T: LintContext>(
576     cx: &T,
577     span: Span,
578     default: &'a str,
579     indent_relative_to: Option<Span>,
580 ) -> Cow<'a, str> {
581     let snip = snippet(cx, span, default);
582     let indent = indent_relative_to.and_then(|s| indent_of(cx, s));
583     reindent_multiline(snip, true, indent)
584 }
585
586 /// Same as `snippet_block`, but adapts the applicability level by the rules of
587 /// `snippet_with_applicability`.
588 pub fn snippet_block_with_applicability<'a, T: LintContext>(
589     cx: &T,
590     span: Span,
591     default: &'a str,
592     indent_relative_to: Option<Span>,
593     applicability: &mut Applicability,
594 ) -> Cow<'a, str> {
595     let snip = snippet_with_applicability(cx, span, default, applicability);
596     let indent = indent_relative_to.and_then(|s| indent_of(cx, s));
597     reindent_multiline(snip, true, indent)
598 }
599
600 /// Returns a new Span that extends the original Span to the first non-whitespace char of the first
601 /// line.
602 ///
603 /// ```rust,ignore
604 ///     let x = ();
605 /// //          ^^
606 /// // will be converted to
607 ///     let x = ();
608 /// //  ^^^^^^^^^^
609 /// ```
610 pub fn first_line_of_span<T: LintContext>(cx: &T, span: Span) -> Span {
611     first_char_in_first_line(cx, span).map_or(span, |first_char_pos| span.with_lo(first_char_pos))
612 }
613
614 fn first_char_in_first_line<T: LintContext>(cx: &T, span: Span) -> Option<BytePos> {
615     let line_span = line_span(cx, span);
616     snippet_opt(cx, line_span).and_then(|snip| {
617         snip.find(|c: char| !c.is_whitespace())
618             .map(|pos| line_span.lo() + BytePos::from_usize(pos))
619     })
620 }
621
622 /// Returns the indentation of the line of a span
623 ///
624 /// ```rust,ignore
625 /// let x = ();
626 /// //      ^^ -- will return 0
627 ///     let x = ();
628 /// //          ^^ -- will return 4
629 /// ```
630 pub fn indent_of<T: LintContext>(cx: &T, span: Span) -> Option<usize> {
631     snippet_opt(cx, line_span(cx, span)).and_then(|snip| snip.find(|c: char| !c.is_whitespace()))
632 }
633
634 /// Extends the span to the beginning of the spans line, incl. whitespaces.
635 ///
636 /// ```rust,ignore
637 ///        let x = ();
638 /// //             ^^
639 /// // will be converted to
640 ///        let x = ();
641 /// // ^^^^^^^^^^^^^^
642 /// ```
643 fn line_span<T: LintContext>(cx: &T, span: Span) -> Span {
644     let span = original_sp(span, DUMMY_SP);
645     let source_map_and_line = cx.sess().source_map().lookup_line(span.lo()).unwrap();
646     let line_no = source_map_and_line.line;
647     let line_start = source_map_and_line.sf.lines[line_no];
648     Span::new(line_start, span.hi(), span.ctxt())
649 }
650
651 /// Like `snippet_block`, but add braces if the expr is not an `ExprKind::Block`.
652 /// Also takes an `Option<String>` which can be put inside the braces.
653 pub fn expr_block<'a, T: LintContext>(
654     cx: &T,
655     expr: &Expr<'_>,
656     option: Option<String>,
657     default: &'a str,
658     indent_relative_to: Option<Span>,
659 ) -> Cow<'a, str> {
660     let code = snippet_block(cx, expr.span, default, indent_relative_to);
661     let string = option.unwrap_or_default();
662     if expr.span.from_expansion() {
663         Cow::Owned(format!("{{ {} }}", snippet_with_macro_callsite(cx, expr.span, default)))
664     } else if let ExprKind::Block(_, _) = expr.kind {
665         Cow::Owned(format!("{}{}", code, string))
666     } else if string.is_empty() {
667         Cow::Owned(format!("{{ {} }}", code))
668     } else {
669         Cow::Owned(format!("{{\n{};\n{}\n}}", code, string))
670     }
671 }
672
673 /// Reindent a multiline string with possibility of ignoring the first line.
674 #[allow(clippy::needless_pass_by_value)]
675 pub fn reindent_multiline(s: Cow<'_, str>, ignore_first: bool, indent: Option<usize>) -> Cow<'_, str> {
676     let s_space = reindent_multiline_inner(&s, ignore_first, indent, ' ');
677     let s_tab = reindent_multiline_inner(&s_space, ignore_first, indent, '\t');
678     reindent_multiline_inner(&s_tab, ignore_first, indent, ' ').into()
679 }
680
681 fn reindent_multiline_inner(s: &str, ignore_first: bool, indent: Option<usize>, ch: char) -> String {
682     let x = s
683         .lines()
684         .skip(ignore_first as usize)
685         .filter_map(|l| {
686             if l.is_empty() {
687                 None
688             } else {
689                 // ignore empty lines
690                 Some(l.char_indices().find(|&(_, x)| x != ch).unwrap_or((l.len(), ch)).0)
691             }
692         })
693         .min()
694         .unwrap_or(0);
695     let indent = indent.unwrap_or(0);
696     s.lines()
697         .enumerate()
698         .map(|(i, l)| {
699             if (ignore_first && i == 0) || l.is_empty() {
700                 l.to_owned()
701             } else if x > indent {
702                 l.split_at(x - indent).1.to_owned()
703             } else {
704                 " ".repeat(indent - x) + l
705             }
706         })
707         .collect::<Vec<String>>()
708         .join("\n")
709 }
710
711 /// Gets the parent expression, if any â€“- this is useful to constrain a lint.
712 pub fn get_parent_expr<'c>(cx: &'c LateContext<'_>, e: &Expr<'_>) -> Option<&'c Expr<'c>> {
713     let map = &cx.tcx.hir();
714     let hir_id = e.hir_id;
715     let parent_id = map.get_parent_node(hir_id);
716     if hir_id == parent_id {
717         return None;
718     }
719     map.find(parent_id).and_then(|node| {
720         if let Node::Expr(parent) = node {
721             Some(parent)
722         } else {
723             None
724         }
725     })
726 }
727
728 pub fn get_enclosing_block<'tcx>(cx: &LateContext<'tcx>, hir_id: HirId) -> Option<&'tcx Block<'tcx>> {
729     let map = &cx.tcx.hir();
730     let enclosing_node = map
731         .get_enclosing_scope(hir_id)
732         .and_then(|enclosing_id| map.find(enclosing_id));
733     enclosing_node.and_then(|node| match node {
734         Node::Block(block) => Some(block),
735         Node::Item(&Item {
736             kind: ItemKind::Fn(_, _, eid),
737             ..
738         })
739         | Node::ImplItem(&ImplItem {
740             kind: ImplItemKind::Fn(_, eid),
741             ..
742         }) => match cx.tcx.hir().body(eid).value.kind {
743             ExprKind::Block(ref block, _) => Some(block),
744             _ => None,
745         },
746         _ => None,
747     })
748 }
749
750 /// Returns the base type for HIR references and pointers.
751 pub fn walk_ptrs_hir_ty<'tcx>(ty: &'tcx hir::Ty<'tcx>) -> &'tcx hir::Ty<'tcx> {
752     match ty.kind {
753         TyKind::Ptr(ref mut_ty) | TyKind::Rptr(_, ref mut_ty) => walk_ptrs_hir_ty(&mut_ty.ty),
754         _ => ty,
755     }
756 }
757
758 /// Returns the base type for references and raw pointers, and count reference
759 /// depth.
760 pub fn walk_ptrs_ty_depth(ty: Ty<'_>) -> (Ty<'_>, usize) {
761     fn inner(ty: Ty<'_>, depth: usize) -> (Ty<'_>, usize) {
762         match ty.kind() {
763             ty::Ref(_, ty, _) => inner(ty, depth + 1),
764             _ => (ty, depth),
765         }
766     }
767     inner(ty, 0)
768 }
769
770 /// Checks whether the given expression is a constant integer of the given value.
771 /// unlike `is_integer_literal`, this version does const folding
772 pub fn is_integer_const(cx: &LateContext<'_>, e: &Expr<'_>, value: u128) -> bool {
773     if is_integer_literal(e, value) {
774         return true;
775     }
776     let map = cx.tcx.hir();
777     let parent_item = map.get_parent_item(e.hir_id);
778     if let Some((Constant::Int(v), _)) = map
779         .maybe_body_owned_by(parent_item)
780         .and_then(|body_id| constant(cx, cx.tcx.typeck_body(body_id), e))
781     {
782         value == v
783     } else {
784         false
785     }
786 }
787
788 /// Checks whether the given expression is a constant literal of the given value.
789 pub fn is_integer_literal(expr: &Expr<'_>, value: u128) -> bool {
790     // FIXME: use constant folding
791     if let ExprKind::Lit(ref spanned) = expr.kind {
792         if let LitKind::Int(v, _) = spanned.node {
793             return v == value;
794         }
795     }
796     false
797 }
798
799 /// Returns `true` if the given `Expr` has been coerced before.
800 ///
801 /// Examples of coercions can be found in the Nomicon at
802 /// <https://doc.rust-lang.org/nomicon/coercions.html>.
803 ///
804 /// See `rustc_middle::ty::adjustment::Adjustment` and `rustc_typeck::check::coercion` for more
805 /// information on adjustments and coercions.
806 pub fn is_adjusted(cx: &LateContext<'_>, e: &Expr<'_>) -> bool {
807     cx.typeck_results().adjustments().get(e.hir_id).is_some()
808 }
809
810 /// Returns the pre-expansion span if is this comes from an expansion of the
811 /// macro `name`.
812 /// See also `is_direct_expn_of`.
813 #[must_use]
814 pub fn is_expn_of(mut span: Span, name: &str) -> Option<Span> {
815     loop {
816         if span.from_expansion() {
817             let data = span.ctxt().outer_expn_data();
818             let new_span = data.call_site;
819
820             if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
821                 if mac_name.as_str() == name {
822                     return Some(new_span);
823                 }
824             }
825
826             span = new_span;
827         } else {
828             return None;
829         }
830     }
831 }
832
833 /// Returns the pre-expansion span if the span directly comes from an expansion
834 /// of the macro `name`.
835 /// The difference with `is_expn_of` is that in
836 /// ```rust,ignore
837 /// foo!(bar!(42));
838 /// ```
839 /// `42` is considered expanded from `foo!` and `bar!` by `is_expn_of` but only
840 /// `bar!` by
841 /// `is_direct_expn_of`.
842 #[must_use]
843 pub fn is_direct_expn_of(span: Span, name: &str) -> Option<Span> {
844     if span.from_expansion() {
845         let data = span.ctxt().outer_expn_data();
846         let new_span = data.call_site;
847
848         if let ExpnKind::Macro(MacroKind::Bang, mac_name) = data.kind {
849             if mac_name.as_str() == name {
850                 return Some(new_span);
851             }
852         }
853     }
854
855     None
856 }
857
858 /// Convenience function to get the return type of a function.
859 pub fn return_ty<'tcx>(cx: &LateContext<'tcx>, fn_item: hir::HirId) -> Ty<'tcx> {
860     let fn_def_id = cx.tcx.hir().local_def_id(fn_item);
861     let ret_ty = cx.tcx.fn_sig(fn_def_id).output();
862     cx.tcx.erase_late_bound_regions(&ret_ty)
863 }
864
865 /// Walks into `ty` and returns `true` if any inner type is the same as `other_ty`
866 pub fn contains_ty(ty: Ty<'_>, other_ty: Ty<'_>) -> bool {
867     ty.walk().any(|inner| match inner.unpack() {
868         GenericArgKind::Type(inner_ty) => ty::TyS::same_type(other_ty, inner_ty),
869         GenericArgKind::Lifetime(_) | GenericArgKind::Const(_) => false,
870     })
871 }
872
873 /// Returns `true` if the given type is an `unsafe` function.
874 pub fn type_is_unsafe_function<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
875     match ty.kind() {
876         ty::FnDef(..) | ty::FnPtr(_) => ty.fn_sig(cx.tcx).unsafety() == Unsafety::Unsafe,
877         _ => false,
878     }
879 }
880
881 pub fn is_copy<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
882     ty.is_copy_modulo_regions(cx.tcx.at(DUMMY_SP), cx.param_env)
883 }
884
885 /// Checks if an expression is constructing a tuple-like enum variant or struct
886 pub fn is_ctor_or_promotable_const_function(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
887     fn has_no_arguments(cx: &LateContext<'_>, def_id: DefId) -> bool {
888         cx.tcx.fn_sig(def_id).skip_binder().inputs().is_empty()
889     }
890
891     if let ExprKind::Call(ref fun, _) = expr.kind {
892         if let ExprKind::Path(ref qp) = fun.kind {
893             let res = cx.qpath_res(qp, fun.hir_id);
894             return match res {
895                 def::Res::Def(DefKind::Variant | DefKind::Ctor(..), ..) => true,
896                 // FIXME: check the constness of the arguments, see https://github.com/rust-lang/rust-clippy/pull/5682#issuecomment-638681210
897                 def::Res::Def(DefKind::Fn | DefKind::AssocFn, def_id) if has_no_arguments(cx, def_id) => {
898                     const_eval::is_const_fn(cx.tcx, def_id)
899                 },
900                 def::Res::Def(_, def_id) => cx.tcx.is_promotable_const_fn(def_id),
901                 _ => false,
902             };
903         }
904     }
905     false
906 }
907
908 /// Returns `true` if a pattern is refutable.
909 // TODO: should be implemented using rustc/mir_build/thir machinery
910 pub fn is_refutable(cx: &LateContext<'_>, pat: &Pat<'_>) -> bool {
911     fn is_enum_variant(cx: &LateContext<'_>, qpath: &QPath<'_>, id: HirId) -> bool {
912         matches!(
913             cx.qpath_res(qpath, id),
914             def::Res::Def(DefKind::Variant, ..) | Res::Def(DefKind::Ctor(def::CtorOf::Variant, _), _)
915         )
916     }
917
918     fn are_refutable<'a, I: Iterator<Item = &'a Pat<'a>>>(cx: &LateContext<'_>, mut i: I) -> bool {
919         i.any(|pat| is_refutable(cx, pat))
920     }
921
922     match pat.kind {
923         PatKind::Wild => false,
924         PatKind::Binding(_, _, _, pat) => pat.map_or(false, |pat| is_refutable(cx, pat)),
925         PatKind::Box(ref pat) | PatKind::Ref(ref pat, _) => is_refutable(cx, pat),
926         PatKind::Lit(..) | PatKind::Range(..) => true,
927         PatKind::Path(ref qpath) => is_enum_variant(cx, qpath, pat.hir_id),
928         PatKind::Or(ref pats) => {
929             // TODO: should be the honest check, that pats is exhaustive set
930             are_refutable(cx, pats.iter().map(|pat| &**pat))
931         },
932         PatKind::Tuple(ref pats, _) => are_refutable(cx, pats.iter().map(|pat| &**pat)),
933         PatKind::Struct(ref qpath, ref fields, _) => {
934             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, fields.iter().map(|field| &*field.pat))
935         },
936         PatKind::TupleStruct(ref qpath, ref pats, _) => {
937             is_enum_variant(cx, qpath, pat.hir_id) || are_refutable(cx, pats.iter().map(|pat| &**pat))
938         },
939         PatKind::Slice(ref head, ref middle, ref tail) => {
940             match &cx.typeck_results().node_type(pat.hir_id).kind() {
941                 ty::Slice(..) => {
942                     // [..] is the only irrefutable slice pattern.
943                     !head.is_empty() || middle.is_none() || !tail.is_empty()
944                 },
945                 ty::Array(..) => are_refutable(cx, head.iter().chain(middle).chain(tail.iter()).map(|pat| &**pat)),
946                 _ => {
947                     // unreachable!()
948                     true
949                 },
950             }
951         },
952     }
953 }
954
955 /// Checks for the `#[automatically_derived]` attribute all `#[derive]`d
956 /// implementations have.
957 pub fn is_automatically_derived(attrs: &[ast::Attribute]) -> bool {
958     attrs.iter().any(|attr| attr.has_name(sym!(automatically_derived)))
959 }
960
961 /// Remove blocks around an expression.
962 ///
963 /// Ie. `x`, `{ x }` and `{{{{ x }}}}` all give `x`. `{ x; y }` and `{}` return
964 /// themselves.
965 pub fn remove_blocks<'tcx>(mut expr: &'tcx Expr<'tcx>) -> &'tcx Expr<'tcx> {
966     while let ExprKind::Block(ref block, ..) = expr.kind {
967         match (block.stmts.is_empty(), block.expr.as_ref()) {
968             (true, Some(e)) => expr = e,
969             _ => break,
970         }
971     }
972     expr
973 }
974
975 pub fn is_self(slf: &Param<'_>) -> bool {
976     if let PatKind::Binding(.., name, _) = slf.pat.kind {
977         name.name == kw::SelfLower
978     } else {
979         false
980     }
981 }
982
983 pub fn is_self_ty(slf: &hir::Ty<'_>) -> bool {
984     if_chain! {
985         if let TyKind::Path(ref qp) = slf.kind;
986         if let QPath::Resolved(None, ref path) = *qp;
987         if let Res::SelfTy(..) = path.res;
988         then {
989             return true
990         }
991     }
992     false
993 }
994
995 pub fn iter_input_pats<'tcx>(decl: &FnDecl<'_>, body: &'tcx Body<'_>) -> impl Iterator<Item = &'tcx Param<'tcx>> {
996     (0..decl.inputs.len()).map(move |i| &body.params[i])
997 }
998
999 /// Checks if a given expression is a match expression expanded from the `?`
1000 /// operator or the `try` macro.
1001 pub fn is_try<'tcx>(expr: &'tcx Expr<'tcx>) -> Option<&'tcx Expr<'tcx>> {
1002     fn is_ok(arm: &Arm<'_>) -> bool {
1003         if_chain! {
1004             if let PatKind::TupleStruct(ref path, ref pat, None) = arm.pat.kind;
1005             if match_qpath(path, &paths::RESULT_OK[1..]);
1006             if let PatKind::Binding(_, hir_id, _, None) = pat[0].kind;
1007             if let ExprKind::Path(QPath::Resolved(None, ref path)) = arm.body.kind;
1008             if let Res::Local(lid) = path.res;
1009             if lid == hir_id;
1010             then {
1011                 return true;
1012             }
1013         }
1014         false
1015     }
1016
1017     fn is_err(arm: &Arm<'_>) -> bool {
1018         if let PatKind::TupleStruct(ref path, _, _) = arm.pat.kind {
1019             match_qpath(path, &paths::RESULT_ERR[1..])
1020         } else {
1021             false
1022         }
1023     }
1024
1025     if let ExprKind::Match(_, ref arms, ref source) = expr.kind {
1026         // desugared from a `?` operator
1027         if let MatchSource::TryDesugar = *source {
1028             return Some(expr);
1029         }
1030
1031         if_chain! {
1032             if arms.len() == 2;
1033             if arms[0].guard.is_none();
1034             if arms[1].guard.is_none();
1035             if (is_ok(&arms[0]) && is_err(&arms[1])) ||
1036                 (is_ok(&arms[1]) && is_err(&arms[0]));
1037             then {
1038                 return Some(expr);
1039             }
1040         }
1041     }
1042
1043     None
1044 }
1045
1046 /// Returns `true` if the lint is allowed in the current context
1047 ///
1048 /// Useful for skipping long running code when it's unnecessary
1049 pub fn is_allowed(cx: &LateContext<'_>, lint: &'static Lint, id: HirId) -> bool {
1050     cx.tcx.lint_level_at_node(lint, id).0 == Level::Allow
1051 }
1052
1053 pub fn get_arg_name(pat: &Pat<'_>) -> Option<Symbol> {
1054     match pat.kind {
1055         PatKind::Binding(.., ident, None) => Some(ident.name),
1056         PatKind::Ref(ref subpat, _) => get_arg_name(subpat),
1057         _ => None,
1058     }
1059 }
1060
1061 pub fn int_bits(tcx: TyCtxt<'_>, ity: ast::IntTy) -> u64 {
1062     Integer::from_attr(&tcx, attr::IntType::SignedInt(ity)).size().bits()
1063 }
1064
1065 #[allow(clippy::cast_possible_wrap)]
1066 /// Turn a constant int byte representation into an i128
1067 pub fn sext(tcx: TyCtxt<'_>, u: u128, ity: ast::IntTy) -> i128 {
1068     let amt = 128 - int_bits(tcx, ity);
1069     ((u as i128) << amt) >> amt
1070 }
1071
1072 #[allow(clippy::cast_sign_loss)]
1073 /// clip unused bytes
1074 pub fn unsext(tcx: TyCtxt<'_>, u: i128, ity: ast::IntTy) -> u128 {
1075     let amt = 128 - int_bits(tcx, ity);
1076     ((u as u128) << amt) >> amt
1077 }
1078
1079 /// clip unused bytes
1080 pub fn clip(tcx: TyCtxt<'_>, u: u128, ity: ast::UintTy) -> u128 {
1081     let bits = Integer::from_attr(&tcx, attr::IntType::UnsignedInt(ity)).size().bits();
1082     let amt = 128 - bits;
1083     (u << amt) >> amt
1084 }
1085
1086 /// Removes block comments from the given `Vec` of lines.
1087 ///
1088 /// # Examples
1089 ///
1090 /// ```rust,ignore
1091 /// without_block_comments(vec!["/*", "foo", "*/"]);
1092 /// // => vec![]
1093 ///
1094 /// without_block_comments(vec!["bar", "/*", "foo", "*/"]);
1095 /// // => vec!["bar"]
1096 /// ```
1097 pub fn without_block_comments(lines: Vec<&str>) -> Vec<&str> {
1098     let mut without = vec![];
1099
1100     let mut nest_level = 0;
1101
1102     for line in lines {
1103         if line.contains("/*") {
1104             nest_level += 1;
1105             continue;
1106         } else if line.contains("*/") {
1107             nest_level -= 1;
1108             continue;
1109         }
1110
1111         if nest_level == 0 {
1112             without.push(line);
1113         }
1114     }
1115
1116     without
1117 }
1118
1119 pub fn any_parent_is_automatically_derived(tcx: TyCtxt<'_>, node: HirId) -> bool {
1120     let map = &tcx.hir();
1121     let mut prev_enclosing_node = None;
1122     let mut enclosing_node = node;
1123     while Some(enclosing_node) != prev_enclosing_node {
1124         if is_automatically_derived(map.attrs(enclosing_node)) {
1125             return true;
1126         }
1127         prev_enclosing_node = Some(enclosing_node);
1128         enclosing_node = map.get_parent_item(enclosing_node);
1129     }
1130     false
1131 }
1132
1133 /// Returns true if ty has `iter` or `iter_mut` methods
1134 pub fn has_iter_method(cx: &LateContext<'_>, probably_ref_ty: Ty<'_>) -> Option<&'static str> {
1135     // FIXME: instead of this hard-coded list, we should check if `<adt>::iter`
1136     // exists and has the desired signature. Unfortunately FnCtxt is not exported
1137     // so we can't use its `lookup_method` method.
1138     let into_iter_collections: [&[&str]; 13] = [
1139         &paths::VEC,
1140         &paths::OPTION,
1141         &paths::RESULT,
1142         &paths::BTREESET,
1143         &paths::BTREEMAP,
1144         &paths::VEC_DEQUE,
1145         &paths::LINKED_LIST,
1146         &paths::BINARY_HEAP,
1147         &paths::HASHSET,
1148         &paths::HASHMAP,
1149         &paths::PATH_BUF,
1150         &paths::PATH,
1151         &paths::RECEIVER,
1152     ];
1153
1154     let ty_to_check = match probably_ref_ty.kind() {
1155         ty::Ref(_, ty_to_check, _) => ty_to_check,
1156         _ => probably_ref_ty,
1157     };
1158
1159     let def_id = match ty_to_check.kind() {
1160         ty::Array(..) => return Some("array"),
1161         ty::Slice(..) => return Some("slice"),
1162         ty::Adt(adt, _) => adt.did,
1163         _ => return None,
1164     };
1165
1166     for path in &into_iter_collections {
1167         if match_def_path(cx, def_id, path) {
1168             return Some(*path.last().unwrap());
1169         }
1170     }
1171     None
1172 }
1173
1174 /// Matches a function call with the given path and returns the arguments.
1175 ///
1176 /// Usage:
1177 ///
1178 /// ```rust,ignore
1179 /// if let Some(args) = match_function_call(cx, begin_panic_call, &paths::BEGIN_PANIC);
1180 /// ```
1181 pub fn match_function_call<'tcx>(
1182     cx: &LateContext<'tcx>,
1183     expr: &'tcx Expr<'_>,
1184     path: &[&str],
1185 ) -> Option<&'tcx [Expr<'tcx>]> {
1186     if_chain! {
1187         if let ExprKind::Call(ref fun, ref args) = expr.kind;
1188         if let ExprKind::Path(ref qpath) = fun.kind;
1189         if let Some(fun_def_id) = cx.qpath_res(qpath, fun.hir_id).opt_def_id();
1190         if match_def_path(cx, fun_def_id, path);
1191         then {
1192             return Some(&args)
1193         }
1194     };
1195     None
1196 }
1197
1198 /// Checks if `Ty` is normalizable. This function is useful
1199 /// to avoid crashes on `layout_of`.
1200 pub fn is_normalizable<'tcx>(cx: &LateContext<'tcx>, param_env: ty::ParamEnv<'tcx>, ty: Ty<'tcx>) -> bool {
1201     cx.tcx.infer_ctxt().enter(|infcx| {
1202         let cause = rustc_middle::traits::ObligationCause::dummy();
1203         infcx.at(&cause, param_env).normalize(&ty).is_ok()
1204     })
1205 }
1206
1207 pub fn match_def_path<'tcx>(cx: &LateContext<'tcx>, did: DefId, syms: &[&str]) -> bool {
1208     // We have to convert `syms` to `&[Symbol]` here because rustc's `match_def_path`
1209     // accepts only that. We should probably move to Symbols in Clippy as well.
1210     let syms = syms.iter().map(|p| Symbol::intern(p)).collect::<Vec<Symbol>>();
1211     cx.match_def_path(did, &syms)
1212 }
1213
1214 /// Returns the list of condition expressions and the list of blocks in a
1215 /// sequence of `if/else`.
1216 /// E.g., this returns `([a, b], [c, d, e])` for the expression
1217 /// `if a { c } else if b { d } else { e }`.
1218 pub fn if_sequence<'tcx>(
1219     mut expr: &'tcx Expr<'tcx>,
1220 ) -> (SmallVec<[&'tcx Expr<'tcx>; 1]>, SmallVec<[&'tcx Block<'tcx>; 1]>) {
1221     let mut conds = SmallVec::new();
1222     let mut blocks: SmallVec<[&Block<'_>; 1]> = SmallVec::new();
1223
1224     while let Some((ref cond, ref then_expr, ref else_expr)) = higher::if_block(&expr) {
1225         conds.push(&**cond);
1226         if let ExprKind::Block(ref block, _) = then_expr.kind {
1227             blocks.push(block);
1228         } else {
1229             panic!("ExprKind::If node is not an ExprKind::Block");
1230         }
1231
1232         if let Some(ref else_expr) = *else_expr {
1233             expr = else_expr;
1234         } else {
1235             break;
1236         }
1237     }
1238
1239     // final `else {..}`
1240     if !blocks.is_empty() {
1241         if let ExprKind::Block(ref block, _) = expr.kind {
1242             blocks.push(&**block);
1243         }
1244     }
1245
1246     (conds, blocks)
1247 }
1248
1249 pub fn parent_node_is_if_expr(expr: &Expr<'_>, cx: &LateContext<'_>) -> bool {
1250     let map = cx.tcx.hir();
1251     let parent_id = map.get_parent_node(expr.hir_id);
1252     let parent_node = map.get(parent_id);
1253
1254     match parent_node {
1255         Node::Expr(e) => higher::if_block(&e).is_some(),
1256         Node::Arm(e) => higher::if_block(&e.body).is_some(),
1257         _ => false,
1258     }
1259 }
1260
1261 // Finds the attribute with the given name, if any
1262 pub fn attr_by_name<'a>(attrs: &'a [Attribute], name: &'_ str) -> Option<&'a Attribute> {
1263     attrs
1264         .iter()
1265         .find(|attr| attr.ident().map_or(false, |ident| ident.as_str() == name))
1266 }
1267
1268 // Finds the `#[must_use]` attribute, if any
1269 pub fn must_use_attr(attrs: &[Attribute]) -> Option<&Attribute> {
1270     attr_by_name(attrs, "must_use")
1271 }
1272
1273 // Returns whether the type has #[must_use] attribute
1274 pub fn is_must_use_ty<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
1275     match ty.kind() {
1276         ty::Adt(ref adt, _) => must_use_attr(&cx.tcx.get_attrs(adt.did)).is_some(),
1277         ty::Foreign(ref did) => must_use_attr(&cx.tcx.get_attrs(*did)).is_some(),
1278         ty::Slice(ref ty)
1279         | ty::Array(ref ty, _)
1280         | ty::RawPtr(ty::TypeAndMut { ref ty, .. })
1281         | ty::Ref(_, ref ty, _) => {
1282             // for the Array case we don't need to care for the len == 0 case
1283             // because we don't want to lint functions returning empty arrays
1284             is_must_use_ty(cx, *ty)
1285         },
1286         ty::Tuple(ref substs) => substs.types().any(|ty| is_must_use_ty(cx, ty)),
1287         ty::Opaque(ref def_id, _) => {
1288             for (predicate, _) in cx.tcx.predicates_of(*def_id).predicates {
1289                 if let ty::PredicateAtom::Trait(trait_predicate, _) = predicate.skip_binders() {
1290                     if must_use_attr(&cx.tcx.get_attrs(trait_predicate.trait_ref.def_id)).is_some() {
1291                         return true;
1292                     }
1293                 }
1294             }
1295             false
1296         },
1297         ty::Dynamic(binder, _) => {
1298             for predicate in binder.skip_binder().iter() {
1299                 if let ty::ExistentialPredicate::Trait(ref trait_ref) = predicate {
1300                     if must_use_attr(&cx.tcx.get_attrs(trait_ref.def_id)).is_some() {
1301                         return true;
1302                     }
1303                 }
1304             }
1305             false
1306         },
1307         _ => false,
1308     }
1309 }
1310
1311 // check if expr is calling method or function with #[must_use] attribute
1312 pub fn is_must_use_func_call(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
1313     let did = match expr.kind {
1314         ExprKind::Call(ref path, _) => if_chain! {
1315             if let ExprKind::Path(ref qpath) = path.kind;
1316             if let def::Res::Def(_, did) = cx.qpath_res(qpath, path.hir_id);
1317             then {
1318                 Some(did)
1319             } else {
1320                 None
1321             }
1322         },
1323         ExprKind::MethodCall(_, _, _, _) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1324         _ => None,
1325     };
1326
1327     did.map_or(false, |did| must_use_attr(&cx.tcx.get_attrs(did)).is_some())
1328 }
1329
1330 pub fn is_no_std_crate(krate: &Crate<'_>) -> bool {
1331     krate.item.attrs.iter().any(|attr| {
1332         if let ast::AttrKind::Normal(ref attr) = attr.kind {
1333             attr.path == symbol::sym::no_std
1334         } else {
1335             false
1336         }
1337     })
1338 }
1339
1340 /// Check if parent of a hir node is a trait implementation block.
1341 /// For example, `f` in
1342 /// ```rust,ignore
1343 /// impl Trait for S {
1344 ///     fn f() {}
1345 /// }
1346 /// ```
1347 pub fn is_trait_impl_item(cx: &LateContext<'_>, hir_id: HirId) -> bool {
1348     if let Some(Node::Item(item)) = cx.tcx.hir().find(cx.tcx.hir().get_parent_node(hir_id)) {
1349         matches!(item.kind, ItemKind::Impl{ of_trait: Some(_), .. })
1350     } else {
1351         false
1352     }
1353 }
1354
1355 /// Check if it's even possible to satisfy the `where` clause for the item.
1356 ///
1357 /// `trivial_bounds` feature allows functions with unsatisfiable bounds, for example:
1358 ///
1359 /// ```ignore
1360 /// fn foo() where i32: Iterator {
1361 ///     for _ in 2i32 {}
1362 /// }
1363 /// ```
1364 pub fn fn_has_unsatisfiable_preds(cx: &LateContext<'_>, did: DefId) -> bool {
1365     use rustc_trait_selection::traits;
1366     let predicates =
1367         cx.tcx
1368             .predicates_of(did)
1369             .predicates
1370             .iter()
1371             .filter_map(|(p, _)| if p.is_global() { Some(*p) } else { None });
1372     traits::impossible_predicates(
1373         cx.tcx,
1374         traits::elaborate_predicates(cx.tcx, predicates)
1375             .map(|o| o.predicate)
1376             .collect::<Vec<_>>(),
1377     )
1378 }
1379
1380 /// Returns the `DefId` of the callee if the given expression is a function or method call.
1381 pub fn fn_def_id(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<DefId> {
1382     match &expr.kind {
1383         ExprKind::MethodCall(..) => cx.typeck_results().type_dependent_def_id(expr.hir_id),
1384         ExprKind::Call(
1385             Expr {
1386                 kind: ExprKind::Path(qpath),
1387                 ..
1388             },
1389             ..,
1390         ) => cx.typeck_results().qpath_res(qpath, expr.hir_id).opt_def_id(),
1391         _ => None,
1392     }
1393 }
1394
1395 pub fn run_lints(cx: &LateContext<'_>, lints: &[&'static Lint], id: HirId) -> bool {
1396     lints.iter().any(|lint| {
1397         matches!(
1398             cx.tcx.lint_level_at_node(lint, id),
1399             (Level::Forbid | Level::Deny | Level::Warn, _)
1400         )
1401     })
1402 }
1403
1404 /// Returns true iff the given type is a primitive (a bool or char, any integer or floating-point
1405 /// number type, a str, or an array, slice, or tuple of those types).
1406 pub fn is_recursively_primitive_type(ty: Ty<'_>) -> bool {
1407     match ty.kind() {
1408         ty::Bool | ty::Char | ty::Int(_) | ty::Uint(_) | ty::Float(_) | ty::Str => true,
1409         ty::Ref(_, inner, _) if *inner.kind() == ty::Str => true,
1410         ty::Array(inner_type, _) | ty::Slice(inner_type) => is_recursively_primitive_type(inner_type),
1411         ty::Tuple(inner_types) => inner_types.types().all(is_recursively_primitive_type),
1412         _ => false,
1413     }
1414 }
1415
1416 /// Returns Option<String> where String is a textual representation of the type encapsulated in the
1417 /// slice iff the given expression is a slice of primitives (as defined in the
1418 /// `is_recursively_primitive_type` function) and None otherwise.
1419 pub fn is_slice_of_primitives(cx: &LateContext<'_>, expr: &Expr<'_>) -> Option<String> {
1420     let expr_type = cx.typeck_results().expr_ty_adjusted(expr);
1421     let expr_kind = expr_type.kind();
1422     let is_primitive = match expr_kind {
1423         ty::Slice(element_type) => is_recursively_primitive_type(element_type),
1424         ty::Ref(_, inner_ty, _) if matches!(inner_ty.kind(), &ty::Slice(_)) => {
1425             if let ty::Slice(element_type) = inner_ty.kind() {
1426                 is_recursively_primitive_type(element_type)
1427             } else {
1428                 unreachable!()
1429             }
1430         },
1431         _ => false,
1432     };
1433
1434     if is_primitive {
1435         // if we have wrappers like Array, Slice or Tuple, print these
1436         // and get the type enclosed in the slice ref
1437         match expr_type.peel_refs().walk().nth(1).unwrap().expect_ty().kind() {
1438             ty::Slice(..) => return Some("slice".into()),
1439             ty::Array(..) => return Some("array".into()),
1440             ty::Tuple(..) => return Some("tuple".into()),
1441             _ => {
1442                 // is_recursively_primitive_type() should have taken care
1443                 // of the rest and we can rely on the type that is found
1444                 let refs_peeled = expr_type.peel_refs();
1445                 return Some(refs_peeled.walk().last().unwrap().to_string());
1446             },
1447         }
1448     }
1449     None
1450 }
1451
1452 #[macro_export]
1453 macro_rules! unwrap_cargo_metadata {
1454     ($cx: ident, $lint: ident, $deps: expr) => {{
1455         let mut command = cargo_metadata::MetadataCommand::new();
1456         if !$deps {
1457             command.no_deps();
1458         }
1459
1460         match command.exec() {
1461             Ok(metadata) => metadata,
1462             Err(err) => {
1463                 span_lint($cx, $lint, DUMMY_SP, &format!("could not read cargo metadata: {}", err));
1464                 return;
1465             },
1466         }
1467     }};
1468 }
1469
1470 #[cfg(test)]
1471 mod test {
1472     use super::{reindent_multiline, without_block_comments};
1473
1474     #[test]
1475     fn test_reindent_multiline_single_line() {
1476         assert_eq!("", reindent_multiline("".into(), false, None));
1477         assert_eq!("...", reindent_multiline("...".into(), false, None));
1478         assert_eq!("...", reindent_multiline("    ...".into(), false, None));
1479         assert_eq!("...", reindent_multiline("\t...".into(), false, None));
1480         assert_eq!("...", reindent_multiline("\t\t...".into(), false, None));
1481     }
1482
1483     #[test]
1484     #[rustfmt::skip]
1485     fn test_reindent_multiline_block() {
1486         assert_eq!("\
1487     if x {
1488         y
1489     } else {
1490         z
1491     }", reindent_multiline("    if x {
1492             y
1493         } else {
1494             z
1495         }".into(), false, None));
1496         assert_eq!("\
1497     if x {
1498     \ty
1499     } else {
1500     \tz
1501     }", reindent_multiline("    if x {
1502         \ty
1503         } else {
1504         \tz
1505         }".into(), false, None));
1506     }
1507
1508     #[test]
1509     #[rustfmt::skip]
1510     fn test_reindent_multiline_empty_line() {
1511         assert_eq!("\
1512     if x {
1513         y
1514
1515     } else {
1516         z
1517     }", reindent_multiline("    if x {
1518             y
1519
1520         } else {
1521             z
1522         }".into(), false, None));
1523     }
1524
1525     #[test]
1526     #[rustfmt::skip]
1527     fn test_reindent_multiline_lines_deeper() {
1528         assert_eq!("\
1529         if x {
1530             y
1531         } else {
1532             z
1533         }", reindent_multiline("\
1534     if x {
1535         y
1536     } else {
1537         z
1538     }".into(), true, Some(8)));
1539     }
1540
1541     #[test]
1542     fn test_without_block_comments_lines_without_block_comments() {
1543         let result = without_block_comments(vec!["/*", "", "*/"]);
1544         println!("result: {:?}", result);
1545         assert!(result.is_empty());
1546
1547         let result = without_block_comments(vec!["", "/*", "", "*/", "#[crate_type = \"lib\"]", "/*", "", "*/", ""]);
1548         assert_eq!(result, vec!["", "#[crate_type = \"lib\"]", ""]);
1549
1550         let result = without_block_comments(vec!["/* rust", "", "*/"]);
1551         assert!(result.is_empty());
1552
1553         let result = without_block_comments(vec!["/* one-line comment */"]);
1554         assert!(result.is_empty());
1555
1556         let result = without_block_comments(vec!["/* nested", "/* multi-line", "comment", "*/", "test", "*/"]);
1557         assert!(result.is_empty());
1558
1559         let result = without_block_comments(vec!["/* nested /* inline /* comment */ test */ */"]);
1560         assert!(result.is_empty());
1561
1562         let result = without_block_comments(vec!["foo", "bar", "baz"]);
1563         assert_eq!(result, vec!["foo", "bar", "baz"]);
1564     }
1565 }