]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/vec_resize_to_zero.rs
4d86abd0fa123660a564d309bbc08c4d7a37c706
[rust.git] / clippy_lints / src / vec_resize_to_zero.rs
1 use clippy_utils::diagnostics::span_lint_and_then;
2 use clippy_utils::{match_def_path, paths};
3 use if_chain::if_chain;
4 use rustc_ast::LitKind;
5 use rustc_errors::Applicability;
6 use rustc_hir as hir;
7 use rustc_hir::{Expr, ExprKind};
8 use rustc_lint::{LateContext, LateLintPass};
9 use rustc_session::{declare_lint_pass, declare_tool_lint};
10 use rustc_span::source_map::Spanned;
11
12 declare_clippy_lint! {
13     /// ### What it does
14     /// Finds occurrences of `Vec::resize(0, an_int)`
15     ///
16     /// ### Why is this bad?
17     /// This is probably an argument inversion mistake.
18     ///
19     /// ### Example
20     /// ```rust
21     /// vec!(1, 2, 3, 4, 5).resize(0, 5)
22     /// ```
23     #[clippy::version = "1.46.0"]
24     pub VEC_RESIZE_TO_ZERO,
25     correctness,
26     "emptying a vector with `resize(0, an_int)` instead of `clear()` is probably an argument inversion mistake"
27 }
28
29 declare_lint_pass!(VecResizeToZero => [VEC_RESIZE_TO_ZERO]);
30
31 impl<'tcx> LateLintPass<'tcx> for VecResizeToZero {
32     fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
33         if_chain! {
34             if let hir::ExprKind::MethodCall(path_segment, args, _) = expr.kind;
35             if let Some(method_def_id) = cx.typeck_results().type_dependent_def_id(expr.hir_id);
36             if match_def_path(cx, method_def_id, &paths::VEC_RESIZE) && args.len() == 3;
37             if let ExprKind::Lit(Spanned { node: LitKind::Int(0, _), .. }) = args[1].kind;
38             if let ExprKind::Lit(Spanned { node: LitKind::Int(..), .. }) = args[2].kind;
39             then {
40                 let method_call_span = expr.span.with_lo(path_segment.ident.span.lo());
41                 span_lint_and_then(
42                     cx,
43                     VEC_RESIZE_TO_ZERO,
44                     expr.span,
45                     "emptying a vector with `resize`",
46                     |db| {
47                         db.help("the arguments may be inverted...");
48                         db.span_suggestion(
49                             method_call_span,
50                             "...or you can empty the vector with",
51                             "clear()".to_string(),
52                             Applicability::MaybeIncorrect,
53                         );
54                     },
55                 );
56             }
57         }
58     }
59 }