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