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