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