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