]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/utils/mod.rs
321a45322fd282bf56ebb0728056b840c5903138
[rust.git] / 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 paths;
16 pub mod ptr;
17 pub mod sugg;
18 pub mod usage;
19 pub use self::attrs::*;
20 pub use self::diagnostics::*;
21 pub use self::hir_utils::{SpanlessEq, SpanlessHash};
22
23 use std::borrow::Cow;
24 use std::mem;
25
26 use if_chain::if_chain;
27 use matches::matches;
28 use rustc::hir;
29 use rustc::hir::def::{DefKind, Res};
30 use rustc::hir::def_id::{DefId, CRATE_DEF_INDEX, LOCAL_CRATE};
31 use rustc::hir::intravisit::{NestedVisitorMap, Visitor};
32 use rustc::hir::Node;
33 use rustc::hir::*;
34 use rustc::lint::{LateContext, Level, Lint, LintContext};
35 use rustc::traits;
36 use rustc::ty::{
37     self,
38     layout::{self, IntegerExt},
39     subst::Kind,
40     Binder, Ty, TyCtxt,
41 };
42 use rustc_errors::Applicability;
43 use smallvec::SmallVec;
44 use syntax::ast::{self, LitKind};
45 use syntax::attr;
46 use syntax::ext::hygiene::ExpnKind;
47 use syntax::source_map::{Span, DUMMY_SP};
48 use syntax::symbol::{kw, Symbol};
49
50 use crate::reexport::*;
51
52 /// Returns `true` if the two spans come from differing expansions (i.e., one is
53 /// from a macro and one isn't).
54 pub fn differing_macro_contexts(lhs: Span, rhs: Span) -> bool {
55     rhs.ctxt() != lhs.ctxt()
56 }
57
58 /// Returns `true` if the given `NodeId` is inside a constant context
59 ///
60 /// # Example
61 ///
62 /// ```rust,ignore
63 /// if in_constant(cx, expr.id) {
64 ///     // Do something
65 /// }
66 /// ```
67 pub fn in_constant(cx: &LateContext<'_, '_>, id: HirId) -> bool {
68     let parent_id = cx.tcx.hir().get_parent_item(id);
69     match cx.tcx.hir().get(parent_id) {
70         Node::Item(&Item {
71             node: ItemKind::Const(..),
72             ..
73         })
74         | Node::TraitItem(&TraitItem {
75             node: TraitItemKind::Const(..),
76             ..
77         })
78         | Node::ImplItem(&ImplItem {
79             node: ImplItemKind::Const(..),
80             ..
81         })
82         | Node::AnonConst(_)
83         | Node::Item(&Item {
84             node: ItemKind::Static(..),
85             ..
86         }) => true,
87         Node::Item(&Item {
88             node: ItemKind::Fn(_, header, ..),
89             ..
90         }) => header.constness == Constness::Const,
91         Node::ImplItem(&ImplItem {
92             node: ImplItemKind::Method(ref sig, _),
93             ..
94         }) => sig.header.constness == Constness::Const,
95         _ => false,
96     }
97 }
98
99 /// Returns `true` if this `span` was expanded by any macro.
100 pub fn in_macro(span: Span) -> bool {
101     if span.from_expansion() {
102         if let ExpnKind::Desugaring(..) = span.ctxt().outer_expn_data().kind {
103             false
104         } else {
105             true
106         }
107     } else {
108         false
109     }
110 }
111 // If the snippet is empty, it's an attribute that was inserted during macro
112 // expansion and we want to ignore those, because they could come from external
113 // sources that the user has no control over.
114 // For some reason these attributes don't have any expansion info on them, so
115 // we have to check it this way until there is a better way.
116 pub fn is_present_in_source<T: LintContext>(cx: &T, span: Span) -> bool {
117     if let Some(snippet) = snippet_opt(cx, span) {
118         if snippet.is_empty() {
119             return false;
120         }
121     }
122     true
123 }
124
125 /// Checks if type is struct, enum or union type with the given def path.
126 pub fn match_type(cx: &LateContext<'_, '_>, ty: Ty<'_>, path: &[&str]) -> bool {
127     match ty.sty {
128         ty::Adt(adt, _) => match_def_path(cx, adt.did, path),
129         _ => false,
130     }
131 }
132
133 /// Checks if the method call given in `expr` belongs to the given trait.
134 pub fn match_trait_method(cx: &LateContext<'_, '_>, expr: &Expr, path: &[&str]) -> bool {
135     let def_id = cx.tables.type_dependent_def_id(expr.hir_id).unwrap();
136     let trt_id = cx.tcx.trait_of_item(def_id);
137     if let Some(trt_id) = trt_id {
138         match_def_path(cx, trt_id, path)
139     } else {
140         false
141     }
142 }
143
144 /// Checks if an expression references a variable of the given name.
145 pub fn match_var(expr: &Expr, var: Name) -> bool {
146     if let ExprKind::Path(QPath::Resolved(None, ref path)) = expr.node {
147         if path.segments.len() == 1 && path.segments[0].ident.name == var {
148             return true;
149         }
150     }
151     false
152 }
153
154 pub fn last_path_segment(path: &QPath) -> &PathSegment {
155     match *path {
156         QPath::Resolved(_, ref path) => path.segments.last().expect("A path must have at least one segment"),
157         QPath::TypeRelative(_, ref seg) => seg,
158     }
159 }
160
161 pub fn single_segment_path(path: &QPath) -> Option<&PathSegment> {
162     match *path {
163         QPath::Resolved(_, ref path) if path.segments.len() == 1 => Some(&path.segments[0]),
164         QPath::Resolved(..) => None,
165         QPath::TypeRelative(_, ref seg) => Some(seg),
166     }
167 }
168
169 /// Matches a `QPath` against a slice of segment string literals.
170 ///
171 /// There is also `match_path` if you are dealing with a `rustc::hir::Path` instead of a
172 /// `rustc::hir::QPath`.
173 ///
174 /// # Examples
175 /// ```rust,ignore
176 /// match_qpath(path, &["std", "rt", "begin_unwind"])
177 /// ```
178 pub fn match_qpath(path: &QPath, segments: &[&str]) -> bool {
179     match *path {
180         QPath::Resolved(_, ref path) => match_path(path, segments),
181         QPath::TypeRelative(ref ty, ref segment) => match ty.node {
182             TyKind::Path(ref inner_path) => {
183                 !segments.is_empty()
184                     && match_qpath(inner_path, &segments[..(segments.len() - 1)])
185                     && segment.ident.name.as_str() == segments[segments.len() - 1]
186             },
187             _ => false,
188         },
189     }
190 }
191
192 /// Matches a `Path` against a slice of segment string literals.
193 ///
194 /// There is also `match_qpath` if you are dealing with a `rustc::hir::QPath` instead of a
195 /// `rustc::hir::Path`.
196 ///
197 /// # Examples
198 ///
199 /// ```rust,ignore
200 /// if match_path(&trait_ref.path, &paths::HASH) {
201 ///     // This is the `std::hash::Hash` trait.
202 /// }
203 ///
204 /// if match_path(ty_path, &["rustc", "lint", "Lint"]) {
205 ///     // This is a `rustc::lint::Lint`.
206 /// }
207 /// ```
208 pub fn match_path(path: &Path, segments: &[&str]) -> bool {
209     path.segments
210         .iter()
211         .rev()
212         .zip(segments.iter().rev())
213         .all(|(a, b)| a.ident.name.as_str() == *b)
214 }
215
216 /// Matches a `Path` against a slice of segment string literals, e.g.
217 ///
218 /// # Examples
219 /// ```rust,ignore
220 /// match_qpath(path, &["std", "rt", "begin_unwind"])
221 /// ```
222 pub fn match_path_ast(path: &ast::Path, segments: &[&str]) -> bool {
223     path.segments
224         .iter()
225         .rev()
226         .zip(segments.iter().rev())
227         .all(|(a, b)| a.ident.name.as_str() == *b)
228 }
229
230 /// Gets the definition associated to a path.
231 pub fn path_to_res(cx: &LateContext<'_, '_>, path: &[&str]) -> Option<(def::Res)> {
232     let crates = cx.tcx.crates();
233     let krate = crates
234         .iter()
235         .find(|&&krate| cx.tcx.crate_name(krate).as_str() == path[0]);
236     if let Some(krate) = krate {
237         let krate = DefId {
238             krate: *krate,
239             index: CRATE_DEF_INDEX,
240         };
241         let mut items = cx.tcx.item_children(krate);
242         let mut path_it = path.iter().skip(1).peekable();
243
244         loop {
245             let segment = match path_it.next() {
246                 Some(segment) => segment,
247                 None => return None,
248             };
249
250             let result = SmallVec::<[_; 8]>::new();
251             for item in mem::replace(&mut items, cx.tcx.arena.alloc_slice(&result)).iter() {
252                 if item.ident.name.as_str() == *segment {
253                     if path_it.peek().is_none() {
254                         return Some(item.res);
255                     }
256
257                     items = cx.tcx.item_children(item.res.def_id());
258                     break;
259                 }
260             }
261         }
262     } else {
263         None
264     }
265 }
266
267 /// Convenience function to get the `DefId` of a trait by path.
268 /// It could be a trait or trait alias.
269 pub fn get_trait_def_id(cx: &LateContext<'_, '_>, path: &[&str]) -> Option<DefId> {
270     let res = match path_to_res(cx, path) {
271         Some(res) => res,
272         None => return None,
273     };
274
275     match res {
276         Res::Def(DefKind::Trait, trait_id) | Res::Def(DefKind::TraitAlias, trait_id) => Some(trait_id),
277         Res::Err => unreachable!("this trait resolution is impossible: {:?}", &path),
278         _ => None,
279     }
280 }
281
282 /// Checks whether a type implements a trait.
283 /// See also `get_trait_def_id`.
284 pub fn implements_trait<'a, 'tcx>(
285     cx: &LateContext<'a, 'tcx>,
286     ty: Ty<'tcx>,
287     trait_id: DefId,
288     ty_params: &[Kind<'tcx>],
289 ) -> bool {
290     let ty = cx.tcx.erase_regions(&ty);
291     let obligation = cx.tcx.predicate_for_trait_def(
292         cx.param_env,
293         traits::ObligationCause::dummy(),
294         trait_id,
295         0,
296         ty,
297         ty_params,
298     );
299     cx.tcx
300         .infer_ctxt()
301         .enter(|infcx| infcx.predicate_must_hold_modulo_regions(&obligation))
302 }
303
304 /// Gets the `hir::TraitRef` of the trait the given method is implemented for.
305 ///
306 /// Use this if you want to find the `TraitRef` of the `Add` trait in this example:
307 ///
308 /// ```rust
309 /// struct Point(isize, isize);
310 ///
311 /// impl std::ops::Add for Point {
312 ///     type Output = Self;
313 ///
314 ///     fn add(self, other: Self) -> Self {
315 ///         Point(0, 0)
316 ///     }
317 /// }
318 /// ```
319 pub fn trait_ref_of_method<'tcx>(cx: &LateContext<'_, 'tcx>, hir_id: HirId) -> Option<&'tcx TraitRef> {
320     // Get the implemented trait for the current function
321     let parent_impl = cx.tcx.hir().get_parent_item(hir_id);
322     if_chain! {
323         if parent_impl != hir::CRATE_HIR_ID;
324         if let hir::Node::Item(item) = cx.tcx.hir().get(parent_impl);
325         if let hir::ItemKind::Impl(_, _, _, _, trait_ref, _, _) = &item.node;
326         then { return trait_ref.as_ref(); }
327     }
328     None
329 }
330
331 /// Checks whether this type implements `Drop`.
332 pub fn has_drop<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, ty: Ty<'tcx>) -> bool {
333     match ty.ty_adt_def() {
334         Some(def) => def.has_dtor(cx.tcx),
335         _ => false,
336     }
337 }
338
339 /// Resolves the definition of a node from its `HirId`.
340 pub fn resolve_node(cx: &LateContext<'_, '_>, qpath: &QPath, id: HirId) -> Res {
341     cx.tables.qpath_res(qpath, id)
342 }
343
344 /// Returns the method names and argument list of nested method call expressions that make up
345 /// `expr`. method/span lists are sorted with the most recent call first.
346 pub fn method_calls(expr: &Expr, max_depth: usize) -> (Vec<Symbol>, Vec<&[Expr]>, Vec<Span>) {
347     let mut method_names = Vec::with_capacity(max_depth);
348     let mut arg_lists = Vec::with_capacity(max_depth);
349     let mut spans = Vec::with_capacity(max_depth);
350
351     let mut current = expr;
352     for _ in 0..max_depth {
353         if let ExprKind::MethodCall(path, span, args) = &current.node {
354             if args.iter().any(|e| e.span.from_expansion()) {
355                 break;
356             }
357             method_names.push(path.ident.name);
358             arg_lists.push(&**args);
359             spans.push(*span);
360             current = &args[0];
361         } else {
362             break;
363         }
364     }
365
366     (method_names, arg_lists, spans)
367 }
368
369 /// Matches an `Expr` against a chain of methods, and return the matched `Expr`s.
370 ///
371 /// For example, if `expr` represents the `.baz()` in `foo.bar().baz()`,
372 /// `matched_method_chain(expr, &["bar", "baz"])` will return a `Vec`
373 /// containing the `Expr`s for
374 /// `.bar()` and `.baz()`
375 pub fn method_chain_args<'a>(expr: &'a Expr, methods: &[&str]) -> Option<Vec<&'a [Expr]>> {
376     let mut current = expr;
377     let mut matched = Vec::with_capacity(methods.len());
378     for method_name in methods.iter().rev() {
379         // method chains are stored last -> first
380         if let ExprKind::MethodCall(ref path, _, ref args) = current.node {
381             if path.ident.name.as_str() == *method_name {
382                 if args.iter().any(|e| e.span.from_expansion()) {
383                     return None;
384                 }
385                 matched.push(&**args); // build up `matched` backwards
386                 current = &args[0] // go to parent expression
387             } else {
388                 return None;
389             }
390         } else {
391             return None;
392         }
393     }
394     // Reverse `matched` so that it is in the same order as `methods`.
395     matched.reverse();
396     Some(matched)
397 }
398
399 /// Returns `true` if the provided `def_id` is an entrypoint to a program.
400 pub fn is_entrypoint_fn(cx: &LateContext<'_, '_>, def_id: DefId) -> bool {
401     if let Some((entry_fn_def_id, _)) = cx.tcx.entry_fn(LOCAL_CRATE) {
402         return def_id == entry_fn_def_id;
403     }
404     false
405 }
406
407 /// Gets the name of the item the expression is in, if available.
408 pub fn get_item_name(cx: &LateContext<'_, '_>, expr: &Expr) -> Option<Name> {
409     let parent_id = cx.tcx.hir().get_parent_item(expr.hir_id);
410     match cx.tcx.hir().find(parent_id) {
411         Some(Node::Item(&Item { ref ident, .. })) => Some(ident.name),
412         Some(Node::TraitItem(&TraitItem { ident, .. })) | Some(Node::ImplItem(&ImplItem { ident, .. })) => {
413             Some(ident.name)
414         },
415         _ => None,
416     }
417 }
418
419 /// Gets the name of a `Pat`, if any.
420 pub fn get_pat_name(pat: &Pat) -> Option<Name> {
421     match pat.node {
422         PatKind::Binding(.., ref spname, _) => Some(spname.name),
423         PatKind::Path(ref qpath) => single_segment_path(qpath).map(|ps| ps.ident.name),
424         PatKind::Box(ref p) | PatKind::Ref(ref p, _) => get_pat_name(&*p),
425         _ => None,
426     }
427 }
428
429 struct ContainsName {
430     name: Name,
431     result: bool,
432 }
433
434 impl<'tcx> Visitor<'tcx> for ContainsName {
435     fn visit_name(&mut self, _: Span, name: Name) {
436         if self.name == name {
437             self.result = true;
438         }
439     }
440     fn nested_visit_map<'this>(&'this mut self) -> NestedVisitorMap<'this, 'tcx> {
441         NestedVisitorMap::None
442     }
443 }
444
445 /// Checks if an `Expr` contains a certain name.
446 pub fn contains_name(name: Name, expr: &Expr) -> bool {
447     let mut cn = ContainsName { name, result: false };
448     cn.visit_expr(expr);
449     cn.result
450 }
451
452 /// Converts a span to a code snippet if available, otherwise use default.
453 ///
454 /// This is useful if you want to provide suggestions for your lint or more generally, if you want
455 /// to convert a given `Span` to a `str`.
456 ///
457 /// # Example
458 /// ```rust,ignore
459 /// snippet(cx, expr.span, "..")
460 /// ```
461 pub fn snippet<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
462     snippet_opt(cx, span).map_or_else(|| Cow::Borrowed(default), From::from)
463 }
464
465 /// Same as `snippet`, but it adapts the applicability level by following rules:
466 ///
467 /// - Applicability level `Unspecified` will never be changed.
468 /// - If the span is inside a macro, change the applicability level to `MaybeIncorrect`.
469 /// - If the default value is used and the applicability level is `MachineApplicable`, change it to
470 /// `HasPlaceholders`
471 pub fn snippet_with_applicability<'a, T: LintContext>(
472     cx: &T,
473     span: Span,
474     default: &'a str,
475     applicability: &mut Applicability,
476 ) -> Cow<'a, str> {
477     if *applicability != Applicability::Unspecified && span.from_expansion() {
478         *applicability = Applicability::MaybeIncorrect;
479     }
480     snippet_opt(cx, span).map_or_else(
481         || {
482             if *applicability == Applicability::MachineApplicable {
483                 *applicability = Applicability::HasPlaceholders;
484             }
485             Cow::Borrowed(default)
486         },
487         From::from,
488     )
489 }
490
491 /// Same as `snippet`, but should only be used when it's clear that the input span is
492 /// not a macro argument.
493 pub fn snippet_with_macro_callsite<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
494     snippet(cx, span.source_callsite(), default)
495 }
496
497 /// Converts a span to a code snippet. Returns `None` if not available.
498 pub fn snippet_opt<T: LintContext>(cx: &T, span: Span) -> Option<String> {
499     cx.sess().source_map().span_to_snippet(span).ok()
500 }
501
502 /// Converts a span (from a block) to a code snippet if available, otherwise use
503 /// default.
504 /// This trims the code of indentation, except for the first line. Use it for
505 /// blocks or block-like
506 /// things which need to be printed as such.
507 ///
508 /// # Example
509 /// ```rust,ignore
510 /// snippet_block(cx, expr.span, "..")
511 /// ```
512 pub fn snippet_block<'a, T: LintContext>(cx: &T, span: Span, default: &'a str) -> Cow<'a, str> {
513     let snip = snippet(cx, span, default);
514     trim_multiline(snip, true)
515 }
516
517 /// Same as `snippet_block`, but adapts the applicability level by the rules of
518 /// `snippet_with_applicabiliy`.
519 pub fn snippet_block_with_applicability<'a, T: LintContext>(
520     cx: &T,
521     span: Span,
522     default: &'a str,
523     applicability: &mut Applicability,
524 ) -> Cow<'a, str> {
525     let snip = snippet_with_applicability(cx, span, default, applicability);
526     trim_multiline(snip, true)
527 }
528
529 /// Returns a new Span that covers the full last line of the given Span
530 pub fn last_line_of_span<T: LintContext>(cx: &T, span: Span) -> Span {
531     let source_map_and_line = cx.sess().source_map().lookup_line(span.lo()).unwrap();
532     let line_no = source_map_and_line.line;
533     let line_start = &source_map_and_line.sf.lines[line_no];
534     Span::new(*line_start, span.hi(), span.ctxt())
535 }
536
537 /// Like `snippet_block`, but add braces if the expr is not an `ExprKind::Block`.
538 /// Also takes an `Option<String>` which can be put inside the braces.
539 pub fn expr_block<'a, T: LintContext>(cx: &T, expr: &Expr, option: Option<String>, default: &'a str) -> Cow<'a, str> {
540     let code = snippet_block(cx, expr.span, default);
541     let string = option.unwrap_or_default();
542     if expr.span.from_expansion() {
543         Cow::Owned(format!("{{ {} }}", snippet_with_macro_callsite(cx, expr.span, default)))
544     } else if let ExprKind::Block(_, _) = expr.node {
545         Cow::Owned(format!("{}{}", code, string))
546     } else if string.is_empty() {
547         Cow::Owned(format!("{{ {} }}", code))
548     } else {
549         Cow::Owned(format!("{{\n{};\n{}\n}}", code, string))
550     }
551 }
552
553 /// Trim indentation from a multiline string with possibility of ignoring the
554 /// first line.
555 pub fn trim_multiline(s: Cow<'_, str>, ignore_first: bool) -> Cow<'_, str> {
556     let s_space = trim_multiline_inner(s, ignore_first, ' ');
557     let s_tab = trim_multiline_inner(s_space, ignore_first, '\t');
558     trim_multiline_inner(s_tab, ignore_first, ' ')
559 }
560
561 fn trim_multiline_inner(s: Cow<'_, str>, ignore_first: bool, ch: char) -> Cow<'_, str> {
562     let x = s
563         .lines()
564         .skip(ignore_first as usize)
565         .filter_map(|l| {
566             if l.is_empty() {
567                 None
568             } else {
569                 // ignore empty lines
570                 Some(l.char_indices().find(|&(_, x)| x != ch).unwrap_or((l.len(), ch)).0)
571             }
572         })
573         .min()
574         .unwrap_or(0);
575     if x > 0 {
576         Cow::Owned(
577             s.lines()
578                 .enumerate()
579                 .map(|(i, l)| {
580                     if (ignore_first && i == 0) || l.is_empty() {
581                         l
582                     } else {
583                         l.split_at(x).1
584                     }
585                 })
586                 .collect::<Vec<_>>()
587                 .join("\n"),
588         )
589     } else {
590         s
591     }
592 }
593
594 /// Gets the parent expression, if any â€“- this is useful to constrain a lint.
595 pub fn get_parent_expr<'c>(cx: &'c LateContext<'_, '_>, e: &Expr) -> Option<&'c Expr> {
596     let map = &cx.tcx.hir();
597     let hir_id = e.hir_id;
598     let parent_id = map.get_parent_node(hir_id);
599     if hir_id == parent_id {
600         return None;
601     }
602     map.find(parent_id).and_then(|node| {
603         if let Node::Expr(parent) = node {
604             Some(parent)
605         } else {
606             None
607         }
608     })
609 }
610
611 pub fn get_enclosing_block<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, hir_id: HirId) -> Option<&'tcx Block> {
612     let map = &cx.tcx.hir();
613     let enclosing_node = map
614         .get_enclosing_scope(hir_id)
615         .and_then(|enclosing_id| map.find(enclosing_id));
616     if let Some(node) = enclosing_node {
617         match node {
618             Node::Block(block) => Some(block),
619             Node::Item(&Item {
620                 node: ItemKind::Fn(_, _, _, eid),
621                 ..
622             })
623             | Node::ImplItem(&ImplItem {
624                 node: ImplItemKind::Method(_, eid),
625                 ..
626             }) => match cx.tcx.hir().body(eid).value.node {
627                 ExprKind::Block(ref block, _) => Some(block),
628                 _ => None,
629             },
630             _ => None,
631         }
632     } else {
633         None
634     }
635 }
636
637 /// Returns the base type for HIR references and pointers.
638 pub fn walk_ptrs_hir_ty(ty: &hir::Ty) -> &hir::Ty {
639     match ty.node {
640         TyKind::Ptr(ref mut_ty) | TyKind::Rptr(_, ref mut_ty) => walk_ptrs_hir_ty(&mut_ty.ty),
641         _ => ty,
642     }
643 }
644
645 /// Returns the base type for references and raw pointers.
646 pub fn walk_ptrs_ty(ty: Ty<'_>) -> Ty<'_> {
647     match ty.sty {
648         ty::Ref(_, ty, _) => walk_ptrs_ty(ty),
649         _ => ty,
650     }
651 }
652
653 /// Returns the base type for references and raw pointers, and count reference
654 /// depth.
655 pub fn walk_ptrs_ty_depth(ty: Ty<'_>) -> (Ty<'_>, usize) {
656     fn inner(ty: Ty<'_>, depth: usize) -> (Ty<'_>, usize) {
657         match ty.sty {
658             ty::Ref(_, ty, _) => inner(ty, depth + 1),
659             _ => (ty, depth),
660         }
661     }
662     inner(ty, 0)
663 }
664
665 /// Checks whether the given expression is a constant literal of the given value.
666 pub fn is_integer_literal(expr: &Expr, value: u128) -> bool {
667     // FIXME: use constant folding
668     if let ExprKind::Lit(ref spanned) = expr.node {
669         if let LitKind::Int(v, _) = spanned.node {
670             return v == value;
671         }
672     }
673     false
674 }
675
676 /// Returns `true` if the given `Expr` has been coerced before.
677 ///
678 /// Examples of coercions can be found in the Nomicon at
679 /// <https://doc.rust-lang.org/nomicon/coercions.html>.
680 ///
681 /// See `rustc::ty::adjustment::Adjustment` and `rustc_typeck::check::coercion` for more
682 /// information on adjustments and coercions.
683 pub fn is_adjusted(cx: &LateContext<'_, '_>, e: &Expr) -> bool {
684     cx.tables.adjustments().get(e.hir_id).is_some()
685 }
686
687 /// Returns the pre-expansion span if is this comes from an expansion of the
688 /// macro `name`.
689 /// See also `is_direct_expn_of`.
690 pub fn is_expn_of(mut span: Span, name: &str) -> Option<Span> {
691     loop {
692         if span.from_expansion() {
693             let data = span.ctxt().outer_expn_data();
694             let mac_name = data.kind.descr();
695             let new_span = data.call_site;
696
697             if mac_name.as_str() == name {
698                 return Some(new_span);
699             } else {
700                 span = new_span;
701             }
702         } else {
703             return None;
704         }
705     }
706 }
707
708 /// Returns the pre-expansion span if the span directly comes from an expansion
709 /// of the macro `name`.
710 /// The difference with `is_expn_of` is that in
711 /// ```rust,ignore
712 /// foo!(bar!(42));
713 /// ```
714 /// `42` is considered expanded from `foo!` and `bar!` by `is_expn_of` but only
715 /// `bar!` by
716 /// `is_direct_expn_of`.
717 pub fn is_direct_expn_of(span: Span, name: &str) -> Option<Span> {
718     if span.from_expansion() {
719         let data = span.ctxt().outer_expn_data();
720         let mac_name = data.kind.descr();
721         let new_span = data.call_site;
722
723         if mac_name.as_str() == name {
724             Some(new_span)
725         } else {
726             None
727         }
728     } else {
729         None
730     }
731 }
732
733 /// Convenience function to get the return type of a function.
734 pub fn return_ty<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, fn_item: hir::HirId) -> Ty<'tcx> {
735     let fn_def_id = cx.tcx.hir().local_def_id(fn_item);
736     let ret_ty = cx.tcx.fn_sig(fn_def_id).output();
737     cx.tcx.erase_late_bound_regions(&ret_ty)
738 }
739
740 /// Checks if two types are the same.
741 ///
742 /// This discards any lifetime annotations, too.
743 //
744 // FIXME: this works correctly for lifetimes bounds (`for <'a> Foo<'a>` ==
745 // `for <'b> Foo<'b>`, but not for type parameters).
746 pub fn same_tys<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, a: Ty<'tcx>, b: Ty<'tcx>) -> bool {
747     let a = cx.tcx.erase_late_bound_regions(&Binder::bind(a));
748     let b = cx.tcx.erase_late_bound_regions(&Binder::bind(b));
749     cx.tcx
750         .infer_ctxt()
751         .enter(|infcx| infcx.can_eq(cx.param_env, a, b).is_ok())
752 }
753
754 /// Returns `true` if the given type is an `unsafe` function.
755 pub fn type_is_unsafe_function<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, ty: Ty<'tcx>) -> bool {
756     match ty.sty {
757         ty::FnDef(..) | ty::FnPtr(_) => ty.fn_sig(cx.tcx).unsafety() == Unsafety::Unsafe,
758         _ => false,
759     }
760 }
761
762 pub fn is_copy<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, ty: Ty<'tcx>) -> bool {
763     ty.is_copy_modulo_regions(cx.tcx.global_tcx(), cx.param_env, DUMMY_SP)
764 }
765
766 /// Checks if an expression is constructing a tuple-like enum variant or struct
767 pub fn is_ctor_function(cx: &LateContext<'_, '_>, expr: &Expr) -> bool {
768     if let ExprKind::Call(ref fun, _) = expr.node {
769         if let ExprKind::Path(ref qp) = fun.node {
770             return matches!(
771                 cx.tables.qpath_res(qp, fun.hir_id),
772                 def::Res::Def(DefKind::Variant, ..) | Res::Def(DefKind::Ctor(..), _)
773             );
774         }
775     }
776     false
777 }
778
779 /// Returns `true` if a pattern is refutable.
780 pub fn is_refutable(cx: &LateContext<'_, '_>, pat: &Pat) -> bool {
781     fn is_enum_variant(cx: &LateContext<'_, '_>, qpath: &QPath, id: HirId) -> bool {
782         matches!(
783             cx.tables.qpath_res(qpath, id),
784             def::Res::Def(DefKind::Variant, ..) | Res::Def(DefKind::Ctor(def::CtorOf::Variant, _), _)
785         )
786     }
787
788     fn are_refutable<'a, I: Iterator<Item = &'a Pat>>(cx: &LateContext<'_, '_>, mut i: I) -> bool {
789         i.any(|pat| is_refutable(cx, pat))
790     }
791
792     match pat.node {
793         PatKind::Binding(..) | PatKind::Wild => false,
794         PatKind::Box(ref pat) | PatKind::Ref(ref pat, _) => is_refutable(cx, pat),
795         PatKind::Lit(..) | PatKind::Range(..) => true,
796         PatKind::Path(ref qpath) => is_enum_variant(cx, qpath, pat.hir_id),
797         PatKind::Or(ref pats) | PatKind::Tuple(ref pats, _) => are_refutable(cx, pats.iter().map(|pat| &**pat)),
798         PatKind::Struct(ref qpath, ref fields, _) => {
799             if is_enum_variant(cx, qpath, pat.hir_id) {
800                 true
801             } else {
802                 are_refutable(cx, fields.iter().map(|field| &*field.pat))
803             }
804         },
805         PatKind::TupleStruct(ref qpath, ref pats, _) => {
806             if is_enum_variant(cx, qpath, pat.hir_id) {
807                 true
808             } else {
809                 are_refutable(cx, pats.iter().map(|pat| &**pat))
810             }
811         },
812         PatKind::Slice(ref head, ref middle, ref tail) => {
813             are_refutable(cx, head.iter().chain(middle).chain(tail.iter()).map(|pat| &**pat))
814         },
815     }
816 }
817
818 /// Checks for the `#[automatically_derived]` attribute all `#[derive]`d
819 /// implementations have.
820 pub fn is_automatically_derived(attrs: &[ast::Attribute]) -> bool {
821     attr::contains_name(attrs, sym!(automatically_derived))
822 }
823
824 /// Remove blocks around an expression.
825 ///
826 /// Ie. `x`, `{ x }` and `{{{{ x }}}}` all give `x`. `{ x; y }` and `{}` return
827 /// themselves.
828 pub fn remove_blocks(expr: &Expr) -> &Expr {
829     if let ExprKind::Block(ref block, _) = expr.node {
830         if block.stmts.is_empty() {
831             if let Some(ref expr) = block.expr {
832                 remove_blocks(expr)
833             } else {
834                 expr
835             }
836         } else {
837             expr
838         }
839     } else {
840         expr
841     }
842 }
843
844 pub fn is_self(slf: &Param) -> bool {
845     if let PatKind::Binding(.., name, _) = slf.pat.node {
846         name.name == kw::SelfLower
847     } else {
848         false
849     }
850 }
851
852 pub fn is_self_ty(slf: &hir::Ty) -> bool {
853     if_chain! {
854         if let TyKind::Path(ref qp) = slf.node;
855         if let QPath::Resolved(None, ref path) = *qp;
856         if let Res::SelfTy(..) = path.res;
857         then {
858             return true
859         }
860     }
861     false
862 }
863
864 pub fn iter_input_pats<'tcx>(decl: &FnDecl, body: &'tcx Body) -> impl Iterator<Item = &'tcx Param> {
865     (0..decl.inputs.len()).map(move |i| &body.params[i])
866 }
867
868 /// Checks if a given expression is a match expression expanded from the `?`
869 /// operator or the `try` macro.
870 pub fn is_try(expr: &Expr) -> Option<&Expr> {
871     fn is_ok(arm: &Arm) -> bool {
872         if_chain! {
873             if let PatKind::TupleStruct(ref path, ref pat, None) = arm.pats[0].node;
874             if match_qpath(path, &paths::RESULT_OK[1..]);
875             if let PatKind::Binding(_, hir_id, _, None) = pat[0].node;
876             if let ExprKind::Path(QPath::Resolved(None, ref path)) = arm.body.node;
877             if let Res::Local(lid) = path.res;
878             if lid == hir_id;
879             then {
880                 return true;
881             }
882         }
883         false
884     }
885
886     fn is_err(arm: &Arm) -> bool {
887         if let PatKind::TupleStruct(ref path, _, _) = arm.pats[0].node {
888             match_qpath(path, &paths::RESULT_ERR[1..])
889         } else {
890             false
891         }
892     }
893
894     if let ExprKind::Match(_, ref arms, ref source) = expr.node {
895         // desugared from a `?` operator
896         if let MatchSource::TryDesugar = *source {
897             return Some(expr);
898         }
899
900         if_chain! {
901             if arms.len() == 2;
902             if arms[0].pats.len() == 1 && arms[0].guard.is_none();
903             if arms[1].pats.len() == 1 && arms[1].guard.is_none();
904             if (is_ok(&arms[0]) && is_err(&arms[1])) ||
905                 (is_ok(&arms[1]) && is_err(&arms[0]));
906             then {
907                 return Some(expr);
908             }
909         }
910     }
911
912     None
913 }
914
915 /// Returns `true` if the lint is allowed in the current context
916 ///
917 /// Useful for skipping long running code when it's unnecessary
918 pub fn is_allowed(cx: &LateContext<'_, '_>, lint: &'static Lint, id: HirId) -> bool {
919     cx.tcx.lint_level_at_node(lint, id).0 == Level::Allow
920 }
921
922 pub fn get_arg_name(pat: &Pat) -> Option<ast::Name> {
923     match pat.node {
924         PatKind::Binding(.., ident, None) => Some(ident.name),
925         PatKind::Ref(ref subpat, _) => get_arg_name(subpat),
926         _ => None,
927     }
928 }
929
930 pub fn int_bits(tcx: TyCtxt<'_>, ity: ast::IntTy) -> u64 {
931     layout::Integer::from_attr(&tcx, attr::IntType::SignedInt(ity))
932         .size()
933         .bits()
934 }
935
936 #[allow(clippy::cast_possible_wrap)]
937 /// Turn a constant int byte representation into an i128
938 pub fn sext(tcx: TyCtxt<'_>, u: u128, ity: ast::IntTy) -> i128 {
939     let amt = 128 - int_bits(tcx, ity);
940     ((u as i128) << amt) >> amt
941 }
942
943 #[allow(clippy::cast_sign_loss)]
944 /// clip unused bytes
945 pub fn unsext(tcx: TyCtxt<'_>, u: i128, ity: ast::IntTy) -> u128 {
946     let amt = 128 - int_bits(tcx, ity);
947     ((u as u128) << amt) >> amt
948 }
949
950 /// clip unused bytes
951 pub fn clip(tcx: TyCtxt<'_>, u: u128, ity: ast::UintTy) -> u128 {
952     let bits = layout::Integer::from_attr(&tcx, attr::IntType::UnsignedInt(ity))
953         .size()
954         .bits();
955     let amt = 128 - bits;
956     (u << amt) >> amt
957 }
958
959 /// Removes block comments from the given `Vec` of lines.
960 ///
961 /// # Examples
962 ///
963 /// ```rust,ignore
964 /// without_block_comments(vec!["/*", "foo", "*/"]);
965 /// // => vec![]
966 ///
967 /// without_block_comments(vec!["bar", "/*", "foo", "*/"]);
968 /// // => vec!["bar"]
969 /// ```
970 pub fn without_block_comments(lines: Vec<&str>) -> Vec<&str> {
971     let mut without = vec![];
972
973     let mut nest_level = 0;
974
975     for line in lines {
976         if line.contains("/*") {
977             nest_level += 1;
978             continue;
979         } else if line.contains("*/") {
980             nest_level -= 1;
981             continue;
982         }
983
984         if nest_level == 0 {
985             without.push(line);
986         }
987     }
988
989     without
990 }
991
992 pub fn any_parent_is_automatically_derived(tcx: TyCtxt<'_>, node: HirId) -> bool {
993     let map = &tcx.hir();
994     let mut prev_enclosing_node = None;
995     let mut enclosing_node = node;
996     while Some(enclosing_node) != prev_enclosing_node {
997         if is_automatically_derived(map.attrs(enclosing_node)) {
998             return true;
999         }
1000         prev_enclosing_node = Some(enclosing_node);
1001         enclosing_node = map.get_parent_item(enclosing_node);
1002     }
1003     false
1004 }
1005
1006 /// Returns true if ty has `iter` or `iter_mut` methods
1007 pub fn has_iter_method(cx: &LateContext<'_, '_>, probably_ref_ty: Ty<'_>) -> Option<&'static str> {
1008     // FIXME: instead of this hard-coded list, we should check if `<adt>::iter`
1009     // exists and has the desired signature. Unfortunately FnCtxt is not exported
1010     // so we can't use its `lookup_method` method.
1011     let into_iter_collections: [&[&str]; 13] = [
1012         &paths::VEC,
1013         &paths::OPTION,
1014         &paths::RESULT,
1015         &paths::BTREESET,
1016         &paths::BTREEMAP,
1017         &paths::VEC_DEQUE,
1018         &paths::LINKED_LIST,
1019         &paths::BINARY_HEAP,
1020         &paths::HASHSET,
1021         &paths::HASHMAP,
1022         &paths::PATH_BUF,
1023         &paths::PATH,
1024         &paths::RECEIVER,
1025     ];
1026
1027     let ty_to_check = match probably_ref_ty.sty {
1028         ty::Ref(_, ty_to_check, _) => ty_to_check,
1029         _ => probably_ref_ty,
1030     };
1031
1032     let def_id = match ty_to_check.sty {
1033         ty::Array(..) => return Some("array"),
1034         ty::Slice(..) => return Some("slice"),
1035         ty::Adt(adt, _) => adt.did,
1036         _ => return None,
1037     };
1038
1039     for path in &into_iter_collections {
1040         if match_def_path(cx, def_id, path) {
1041             return Some(*path.last().unwrap());
1042         }
1043     }
1044     None
1045 }
1046
1047 #[cfg(test)]
1048 mod test {
1049     use super::{trim_multiline, without_block_comments};
1050
1051     #[test]
1052     fn test_trim_multiline_single_line() {
1053         assert_eq!("", trim_multiline("".into(), false));
1054         assert_eq!("...", trim_multiline("...".into(), false));
1055         assert_eq!("...", trim_multiline("    ...".into(), false));
1056         assert_eq!("...", trim_multiline("\t...".into(), false));
1057         assert_eq!("...", trim_multiline("\t\t...".into(), false));
1058     }
1059
1060     #[test]
1061     #[rustfmt::skip]
1062     fn test_trim_multiline_block() {
1063         assert_eq!("\
1064     if x {
1065         y
1066     } else {
1067         z
1068     }", trim_multiline("    if x {
1069             y
1070         } else {
1071             z
1072         }".into(), false));
1073         assert_eq!("\
1074     if x {
1075     \ty
1076     } else {
1077     \tz
1078     }", trim_multiline("    if x {
1079         \ty
1080         } else {
1081         \tz
1082         }".into(), false));
1083     }
1084
1085     #[test]
1086     #[rustfmt::skip]
1087     fn test_trim_multiline_empty_line() {
1088         assert_eq!("\
1089     if x {
1090         y
1091
1092     } else {
1093         z
1094     }", trim_multiline("    if x {
1095             y
1096
1097         } else {
1098             z
1099         }".into(), false));
1100     }
1101
1102     #[test]
1103     fn test_without_block_comments_lines_without_block_comments() {
1104         let result = without_block_comments(vec!["/*", "", "*/"]);
1105         println!("result: {:?}", result);
1106         assert!(result.is_empty());
1107
1108         let result = without_block_comments(vec!["", "/*", "", "*/", "#[crate_type = \"lib\"]", "/*", "", "*/", ""]);
1109         assert_eq!(result, vec!["", "#[crate_type = \"lib\"]", ""]);
1110
1111         let result = without_block_comments(vec!["/* rust", "", "*/"]);
1112         assert!(result.is_empty());
1113
1114         let result = without_block_comments(vec!["/* one-line comment */"]);
1115         assert!(result.is_empty());
1116
1117         let result = without_block_comments(vec!["/* nested", "/* multi-line", "comment", "*/", "test", "*/"]);
1118         assert!(result.is_empty());
1119
1120         let result = without_block_comments(vec!["/* nested /* inline /* comment */ test */ */"]);
1121         assert!(result.is_empty());
1122
1123         let result = without_block_comments(vec!["foo", "bar", "baz"]);
1124         assert_eq!(result, vec!["foo", "bar", "baz"]);
1125     }
1126 }
1127
1128 pub fn match_def_path<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, did: DefId, syms: &[&str]) -> bool {
1129     let path = cx.get_def_path(did);
1130     path.len() == syms.len() && path.into_iter().zip(syms.iter()).all(|(a, &b)| a.as_str() == b)
1131 }