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