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