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