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