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