]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/misc_early.rs
Auto merge of #4568 - mikerite:fix-4548, r=flip1995
[rust.git] / clippy_lints / src / misc_early.rs
1 use crate::utils::{
2     constants, snippet_opt, snippet_with_applicability, span_help_and_lint, span_lint, span_lint_and_sugg,
3     span_lint_and_then,
4 };
5 use if_chain::if_chain;
6 use rustc::lint::{in_external_macro, EarlyContext, EarlyLintPass, LintArray, LintContext, LintPass};
7 use rustc::{declare_lint_pass, declare_tool_lint};
8 use rustc_data_structures::fx::FxHashMap;
9 use rustc_errors::Applicability;
10 use syntax::ast::*;
11 use syntax::source_map::Span;
12 use syntax::visit::{walk_expr, FnKind, Visitor};
13
14 declare_clippy_lint! {
15     /// **What it does:** Checks for structure field patterns bound to wildcards.
16     ///
17     /// **Why is this bad?** Using `..` instead is shorter and leaves the focus on
18     /// the fields that are actually bound.
19     ///
20     /// **Known problems:** None.
21     ///
22     /// **Example:**
23     /// ```ignore
24     /// let { a: _, b: ref b, c: _ } = ..
25     /// ```
26     pub UNNEEDED_FIELD_PATTERN,
27     style,
28     "struct fields bound to a wildcard instead of using `..`"
29 }
30
31 declare_clippy_lint! {
32     /// **What it does:** Checks for function arguments having the similar names
33     /// differing by an underscore.
34     ///
35     /// **Why is this bad?** It affects code readability.
36     ///
37     /// **Known problems:** None.
38     ///
39     /// **Example:**
40     /// ```rust
41     /// fn foo(a: i32, _a: i32) {}
42     /// ```
43     pub DUPLICATE_UNDERSCORE_ARGUMENT,
44     style,
45     "function arguments having names which only differ by an underscore"
46 }
47
48 declare_clippy_lint! {
49     /// **What it does:** Detects closures called in the same expression where they
50     /// are defined.
51     ///
52     /// **Why is this bad?** It is unnecessarily adding to the expression's
53     /// complexity.
54     ///
55     /// **Known problems:** None.
56     ///
57     /// **Example:**
58     /// ```rust,ignore
59     /// (|| 42)()
60     /// ```
61     pub REDUNDANT_CLOSURE_CALL,
62     complexity,
63     "throwaway closures called in the expression they are defined"
64 }
65
66 declare_clippy_lint! {
67     /// **What it does:** Detects expressions of the form `--x`.
68     ///
69     /// **Why is this bad?** It can mislead C/C++ programmers to think `x` was
70     /// decremented.
71     ///
72     /// **Known problems:** None.
73     ///
74     /// **Example:**
75     /// ```rust
76     /// let mut x = 3;
77     /// --x;
78     /// ```
79     pub DOUBLE_NEG,
80     style,
81     "`--x`, which is a double negation of `x` and not a pre-decrement as in C/C++"
82 }
83
84 declare_clippy_lint! {
85     /// **What it does:** Warns on hexadecimal literals with mixed-case letter
86     /// digits.
87     ///
88     /// **Why is this bad?** It looks confusing.
89     ///
90     /// **Known problems:** None.
91     ///
92     /// **Example:**
93     /// ```rust
94     /// let y = 0x1a9BAcD;
95     /// ```
96     pub MIXED_CASE_HEX_LITERALS,
97     style,
98     "hex literals whose letter digits are not consistently upper- or lowercased"
99 }
100
101 declare_clippy_lint! {
102     /// **What it does:** Warns if literal suffixes are not separated by an
103     /// underscore.
104     ///
105     /// **Why is this bad?** It is much less readable.
106     ///
107     /// **Known problems:** None.
108     ///
109     /// **Example:**
110     /// ```rust
111     /// let y = 123832i32;
112     /// ```
113     pub UNSEPARATED_LITERAL_SUFFIX,
114     pedantic,
115     "literals whose suffix is not separated by an underscore"
116 }
117
118 declare_clippy_lint! {
119     /// **What it does:** Warns if an integral constant literal starts with `0`.
120     ///
121     /// **Why is this bad?** In some languages (including the infamous C language
122     /// and most of its
123     /// family), this marks an octal constant. In Rust however, this is a decimal
124     /// constant. This could
125     /// be confusing for both the writer and a reader of the constant.
126     ///
127     /// **Known problems:** None.
128     ///
129     /// **Example:**
130     ///
131     /// In Rust:
132     /// ```rust
133     /// fn main() {
134     ///     let a = 0123;
135     ///     println!("{}", a);
136     /// }
137     /// ```
138     ///
139     /// prints `123`, while in C:
140     ///
141     /// ```c
142     /// #include <stdio.h>
143     ///
144     /// int main() {
145     ///     int a = 0123;
146     ///     printf("%d\n", a);
147     /// }
148     /// ```
149     ///
150     /// prints `83` (as `83 == 0o123` while `123 == 0o173`).
151     pub ZERO_PREFIXED_LITERAL,
152     complexity,
153     "integer literals starting with `0`"
154 }
155
156 declare_clippy_lint! {
157     /// **What it does:** Warns if a generic shadows a built-in type.
158     ///
159     /// **Why is this bad?** This gives surprising type errors.
160     ///
161     /// **Known problems:** None.
162     ///
163     /// **Example:**
164     ///
165     /// ```ignore
166     /// impl<u32> Foo<u32> {
167     ///     fn impl_func(&self) -> u32 {
168     ///         42
169     ///     }
170     /// }
171     /// ```
172     pub BUILTIN_TYPE_SHADOW,
173     style,
174     "shadowing a builtin type"
175 }
176
177 declare_clippy_lint! {
178     /// **What it does:** Checks for patterns in the form `name @ _`.
179     ///
180     /// **Why is this bad?** It's almost always more readable to just use direct
181     /// bindings.
182     ///
183     /// **Known problems:** None.
184     ///
185     /// **Example:**
186     /// ```rust
187     /// # let v = Some("abc");
188     ///
189     /// match v {
190     ///     Some(x) => (),
191     ///     y @ _ => (), // easier written as `y`,
192     /// }
193     /// ```
194     pub REDUNDANT_PATTERN,
195     style,
196     "using `name @ _` in a pattern"
197 }
198
199 declare_clippy_lint! {
200     /// **What it does:** Checks for tuple patterns with a wildcard
201     /// pattern (`_`) is next to a rest pattern (`..`).
202     ///
203     /// _NOTE_: While `_, ..` means there is at least one element left, `..`
204     /// means there are 0 or more elements left. This can make a difference
205     /// when refactoring, but shouldn't result in errors in the refactored code,
206     /// since the wildcard pattern isn't used anyway.
207     /// **Why is this bad?** The wildcard pattern is unneeded as the rest pattern
208     /// can match that element as well.
209     ///
210     /// **Known problems:** None.
211     ///
212     /// **Example:**
213     /// ```rust
214     /// # struct TupleStruct(u32, u32, u32);
215     /// # let t = TupleStruct(1, 2, 3);
216     ///
217     /// match t {
218     ///     TupleStruct(0, .., _) => (),
219     ///     _ => (),
220     /// }
221     /// ```
222     /// can be written as
223     /// ```rust
224     /// # struct TupleStruct(u32, u32, u32);
225     /// # let t = TupleStruct(1, 2, 3);
226     ///
227     /// match t {
228     ///     TupleStruct(0, ..) => (),
229     ///     _ => (),
230     /// }
231     /// ```
232     pub UNNEEDED_WILDCARD_PATTERN,
233     complexity,
234     "tuple patterns with a wildcard pattern (`_`) is next to a rest pattern (`..`)"
235 }
236
237 declare_lint_pass!(MiscEarlyLints => [
238     UNNEEDED_FIELD_PATTERN,
239     DUPLICATE_UNDERSCORE_ARGUMENT,
240     REDUNDANT_CLOSURE_CALL,
241     DOUBLE_NEG,
242     MIXED_CASE_HEX_LITERALS,
243     UNSEPARATED_LITERAL_SUFFIX,
244     ZERO_PREFIXED_LITERAL,
245     BUILTIN_TYPE_SHADOW,
246     REDUNDANT_PATTERN,
247     UNNEEDED_WILDCARD_PATTERN,
248 ]);
249
250 // Used to find `return` statements or equivalents e.g., `?`
251 struct ReturnVisitor {
252     found_return: bool,
253 }
254
255 impl ReturnVisitor {
256     fn new() -> Self {
257         Self { found_return: false }
258     }
259 }
260
261 impl<'ast> Visitor<'ast> for ReturnVisitor {
262     fn visit_expr(&mut self, ex: &'ast Expr) {
263         if let ExprKind::Ret(_) = ex.node {
264             self.found_return = true;
265         } else if let ExprKind::Try(_) = ex.node {
266             self.found_return = true;
267         }
268
269         walk_expr(self, ex)
270     }
271 }
272
273 impl EarlyLintPass for MiscEarlyLints {
274     fn check_generics(&mut self, cx: &EarlyContext<'_>, gen: &Generics) {
275         for param in &gen.params {
276             if let GenericParamKind::Type { .. } = param.kind {
277                 let name = param.ident.as_str();
278                 if constants::BUILTIN_TYPES.contains(&&*name) {
279                     span_lint(
280                         cx,
281                         BUILTIN_TYPE_SHADOW,
282                         param.ident.span,
283                         &format!("This generic shadows the built-in type `{}`", name),
284                     );
285                 }
286             }
287         }
288     }
289
290     fn check_pat(&mut self, cx: &EarlyContext<'_>, pat: &Pat) {
291         if let PatKind::Struct(ref npat, ref pfields, _) = pat.node {
292             let mut wilds = 0;
293             let type_name = npat
294                 .segments
295                 .last()
296                 .expect("A path must have at least one segment")
297                 .ident
298                 .name;
299
300             for field in pfields {
301                 if let PatKind::Wild = field.pat.node {
302                     wilds += 1;
303                 }
304             }
305             if !pfields.is_empty() && wilds == pfields.len() {
306                 span_help_and_lint(
307                     cx,
308                     UNNEEDED_FIELD_PATTERN,
309                     pat.span,
310                     "All the struct fields are matched to a wildcard pattern, consider using `..`.",
311                     &format!("Try with `{} {{ .. }}` instead", type_name),
312                 );
313                 return;
314             }
315             if wilds > 0 {
316                 let mut normal = vec![];
317
318                 for field in pfields {
319                     match field.pat.node {
320                         PatKind::Wild => {},
321                         _ => {
322                             if let Ok(n) = cx.sess().source_map().span_to_snippet(field.span) {
323                                 normal.push(n);
324                             }
325                         },
326                     }
327                 }
328                 for field in pfields {
329                     if let PatKind::Wild = field.pat.node {
330                         wilds -= 1;
331                         if wilds > 0 {
332                             span_lint(
333                                 cx,
334                                 UNNEEDED_FIELD_PATTERN,
335                                 field.span,
336                                 "You matched a field with a wildcard pattern. Consider using `..` instead",
337                             );
338                         } else {
339                             span_help_and_lint(
340                                 cx,
341                                 UNNEEDED_FIELD_PATTERN,
342                                 field.span,
343                                 "You matched a field with a wildcard pattern. Consider using `..` \
344                                  instead",
345                                 &format!("Try with `{} {{ {}, .. }}`", type_name, normal[..].join(", ")),
346                             );
347                         }
348                     }
349                 }
350             }
351         }
352
353         if let PatKind::Ident(_, ident, Some(ref right)) = pat.node {
354             if let PatKind::Wild = right.node {
355                 span_lint_and_sugg(
356                     cx,
357                     REDUNDANT_PATTERN,
358                     pat.span,
359                     &format!(
360                         "the `{} @ _` pattern can be written as just `{}`",
361                         ident.name, ident.name,
362                     ),
363                     "try",
364                     format!("{}", ident.name),
365                     Applicability::MachineApplicable,
366                 );
367             }
368         }
369
370         check_unneeded_wildcard_pattern(cx, pat);
371     }
372
373     fn check_fn(&mut self, cx: &EarlyContext<'_>, _: FnKind<'_>, decl: &FnDecl, _: Span, _: NodeId) {
374         let mut registered_names: FxHashMap<String, Span> = FxHashMap::default();
375
376         for arg in &decl.inputs {
377             if let PatKind::Ident(_, ident, None) = arg.pat.node {
378                 let arg_name = ident.to_string();
379
380                 if arg_name.starts_with('_') {
381                     if let Some(correspondence) = registered_names.get(&arg_name[1..]) {
382                         span_lint(
383                             cx,
384                             DUPLICATE_UNDERSCORE_ARGUMENT,
385                             *correspondence,
386                             &format!(
387                                 "`{}` already exists, having another argument having almost the same \
388                                  name makes code comprehension and documentation more difficult",
389                                 arg_name[1..].to_owned()
390                             ),
391                         );
392                     }
393                 } else {
394                     registered_names.insert(arg_name, arg.pat.span);
395                 }
396             }
397         }
398     }
399
400     fn check_expr(&mut self, cx: &EarlyContext<'_>, expr: &Expr) {
401         if in_external_macro(cx.sess(), expr.span) {
402             return;
403         }
404         match expr.node {
405             ExprKind::Call(ref paren, _) => {
406                 if let ExprKind::Paren(ref closure) = paren.node {
407                     if let ExprKind::Closure(_, _, _, ref decl, ref block, _) = closure.node {
408                         let mut visitor = ReturnVisitor::new();
409                         visitor.visit_expr(block);
410                         if !visitor.found_return {
411                             span_lint_and_then(
412                                 cx,
413                                 REDUNDANT_CLOSURE_CALL,
414                                 expr.span,
415                                 "Try not to call a closure in the expression where it is declared.",
416                                 |db| {
417                                     if decl.inputs.is_empty() {
418                                         let mut app = Applicability::MachineApplicable;
419                                         let hint =
420                                             snippet_with_applicability(cx, block.span, "..", &mut app).into_owned();
421                                         db.span_suggestion(expr.span, "Try doing something like: ", hint, app);
422                                     }
423                                 },
424                             );
425                         }
426                     }
427                 }
428             },
429             ExprKind::Unary(UnOp::Neg, ref inner) => {
430                 if let ExprKind::Unary(UnOp::Neg, _) = inner.node {
431                     span_lint(
432                         cx,
433                         DOUBLE_NEG,
434                         expr.span,
435                         "`--x` could be misinterpreted as pre-decrement by C programmers, is usually a no-op",
436                     );
437                 }
438             },
439             ExprKind::Lit(ref lit) => self.check_lit(cx, lit),
440             _ => (),
441         }
442     }
443
444     fn check_block(&mut self, cx: &EarlyContext<'_>, block: &Block) {
445         for w in block.stmts.windows(2) {
446             if_chain! {
447                 if let StmtKind::Local(ref local) = w[0].node;
448                 if let Option::Some(ref t) = local.init;
449                 if let ExprKind::Closure(..) = t.node;
450                 if let PatKind::Ident(_, ident, _) = local.pat.node;
451                 if let StmtKind::Semi(ref second) = w[1].node;
452                 if let ExprKind::Assign(_, ref call) = second.node;
453                 if let ExprKind::Call(ref closure, _) = call.node;
454                 if let ExprKind::Path(_, ref path) = closure.node;
455                 then {
456                     if ident == path.segments[0].ident {
457                         span_lint(
458                             cx,
459                             REDUNDANT_CLOSURE_CALL,
460                             second.span,
461                             "Closure called just once immediately after it was declared",
462                         );
463                     }
464                 }
465             }
466         }
467     }
468 }
469
470 impl MiscEarlyLints {
471     fn check_lit(self, cx: &EarlyContext<'_>, lit: &Lit) {
472         // We test if first character in snippet is a number, because the snippet could be an expansion
473         // from a built-in macro like `line!()` or a proc-macro like `#[wasm_bindgen]`.
474         // Note that this check also covers special case that `line!()` is eagerly expanded by compiler.
475         // See <https://github.com/rust-lang/rust-clippy/issues/4507> for a regression.
476         // FIXME: Find a better way to detect those cases.
477         let lit_snip = match snippet_opt(cx, lit.span) {
478             Some(snip) if snip.chars().next().map_or(false, |c| c.is_digit(10)) => snip,
479             _ => return,
480         };
481
482         if let LitKind::Int(value, lit_int_type) = lit.node {
483             let suffix = match lit_int_type {
484                 LitIntType::Signed(ty) => ty.ty_to_string(),
485                 LitIntType::Unsigned(ty) => ty.ty_to_string(),
486                 LitIntType::Unsuffixed => "",
487             };
488
489             let maybe_last_sep_idx = lit_snip.len() - suffix.len() - 1;
490             // Do not lint when literal is unsuffixed.
491             if !suffix.is_empty() && lit_snip.as_bytes()[maybe_last_sep_idx] != b'_' {
492                 span_lint_and_sugg(
493                     cx,
494                     UNSEPARATED_LITERAL_SUFFIX,
495                     lit.span,
496                     "integer type suffix should be separated by an underscore",
497                     "add an underscore",
498                     format!("{}_{}", &lit_snip[..=maybe_last_sep_idx], suffix),
499                     Applicability::MachineApplicable,
500                 );
501             }
502
503             if lit_snip.starts_with("0x") {
504                 let mut seen = (false, false);
505                 for ch in lit_snip.as_bytes()[2..=maybe_last_sep_idx].iter() {
506                     match ch {
507                         b'a'..=b'f' => seen.0 = true,
508                         b'A'..=b'F' => seen.1 = true,
509                         _ => {},
510                     }
511                     if seen.0 && seen.1 {
512                         span_lint(
513                             cx,
514                             MIXED_CASE_HEX_LITERALS,
515                             lit.span,
516                             "inconsistent casing in hexadecimal literal",
517                         );
518                         break;
519                     }
520                 }
521             } else if lit_snip.starts_with("0b") || lit_snip.starts_with("0o") {
522                 /* nothing to do */
523             } else if value != 0 && lit_snip.starts_with('0') {
524                 span_lint_and_then(
525                     cx,
526                     ZERO_PREFIXED_LITERAL,
527                     lit.span,
528                     "this is a decimal constant",
529                     |db| {
530                         db.span_suggestion(
531                             lit.span,
532                             "if you mean to use a decimal constant, remove the `0` to avoid confusion",
533                             lit_snip.trim_start_matches(|c| c == '_' || c == '0').to_string(),
534                             Applicability::MaybeIncorrect,
535                         );
536                         db.span_suggestion(
537                             lit.span,
538                             "if you mean to use an octal constant, use `0o`",
539                             format!("0o{}", lit_snip.trim_start_matches(|c| c == '_' || c == '0')),
540                             Applicability::MaybeIncorrect,
541                         );
542                     },
543                 );
544             }
545         } else if let LitKind::Float(_, float_ty) = lit.node {
546             let suffix = float_ty.ty_to_string();
547             let maybe_last_sep_idx = lit_snip.len() - suffix.len() - 1;
548             if lit_snip.as_bytes()[maybe_last_sep_idx] != b'_' {
549                 span_lint_and_sugg(
550                     cx,
551                     UNSEPARATED_LITERAL_SUFFIX,
552                     lit.span,
553                     "float type suffix should be separated by an underscore",
554                     "add an underscore",
555                     format!("{}_{}", &lit_snip[..=maybe_last_sep_idx], suffix),
556                     Applicability::MachineApplicable,
557                 );
558             }
559         }
560     }
561 }
562
563 fn check_unneeded_wildcard_pattern(cx: &EarlyContext<'_>, pat: &Pat) {
564     if let PatKind::TupleStruct(_, ref patterns) | PatKind::Tuple(ref patterns) = pat.node {
565         fn span_lint(cx: &EarlyContext<'_>, span: Span, only_one: bool) {
566             span_lint_and_sugg(
567                 cx,
568                 UNNEEDED_WILDCARD_PATTERN,
569                 span,
570                 if only_one {
571                     "this pattern is unneeded as the `..` pattern can match that element"
572                 } else {
573                     "these patterns are unneeded as the `..` pattern can match those elements"
574                 },
575                 if only_one { "remove it" } else { "remove them" },
576                 "".to_string(),
577                 Applicability::MachineApplicable,
578             );
579         }
580
581         #[allow(clippy::trivially_copy_pass_by_ref)]
582         fn is_wild<P: std::ops::Deref<Target = Pat>>(pat: &&P) -> bool {
583             if let PatKind::Wild = pat.node {
584                 true
585             } else {
586                 false
587             }
588         }
589
590         if let Some(rest_index) = patterns.iter().position(|pat| pat.is_rest()) {
591             if let Some((left_index, left_pat)) = patterns[..rest_index]
592                 .iter()
593                 .rev()
594                 .take_while(is_wild)
595                 .enumerate()
596                 .last()
597             {
598                 span_lint(cx, left_pat.span.until(patterns[rest_index].span), left_index == 0);
599             }
600
601             if let Some((right_index, right_pat)) =
602                 patterns[rest_index + 1..].iter().take_while(is_wild).enumerate().last()
603             {
604                 span_lint(
605                     cx,
606                     patterns[rest_index].span.shrink_to_hi().to(right_pat.span),
607                     right_index == 0,
608                 );
609             }
610         }
611     }
612 }