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