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