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