]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/misc.rs
Merge remote-tracking branch 'upstream/master' into rustup
[rust.git] / clippy_lints / src / misc.rs
1 use clippy_utils::diagnostics::{span_lint, span_lint_and_sugg, span_lint_and_then, span_lint_hir_and_then};
2 use clippy_utils::source::{snippet, snippet_opt};
3 use clippy_utils::ty::implements_trait;
4 use if_chain::if_chain;
5 use rustc_ast::ast::LitKind;
6 use rustc_errors::Applicability;
7 use rustc_hir::intravisit::FnKind;
8 use rustc_hir::{
9     self as hir, def, BinOpKind, BindingAnnotation, Body, Expr, ExprKind, FnDecl, HirId, Mutability, PatKind, Stmt,
10     StmtKind, TyKind, UnOp,
11 };
12 use rustc_lint::{LateContext, LateLintPass};
13 use rustc_middle::lint::in_external_macro;
14 use rustc_middle::ty::{self, Ty};
15 use rustc_session::{declare_lint_pass, declare_tool_lint};
16 use rustc_span::hygiene::DesugaringKind;
17 use rustc_span::source_map::{ExpnKind, Span};
18 use rustc_span::symbol::sym;
19
20 use crate::consts::{constant, Constant};
21 use clippy_utils::sugg::Sugg;
22 use clippy_utils::{
23     get_item_name, get_parent_expr, higher, in_constant, is_diagnostic_assoc_item, is_integer_const, iter_input_pats,
24     last_path_segment, match_qpath, unsext, SpanlessEq,
25 };
26
27 declare_clippy_lint! {
28     /// **What it does:** Checks for function arguments and let bindings denoted as
29     /// `ref`.
30     ///
31     /// **Why is this bad?** The `ref` declaration makes the function take an owned
32     /// value, but turns the argument into a reference (which means that the value
33     /// is destroyed when exiting the function). This adds not much value: either
34     /// take a reference type, or take an owned value and create references in the
35     /// body.
36     ///
37     /// For let bindings, `let x = &foo;` is preferred over `let ref x = foo`. The
38     /// type of `x` is more obvious with the former.
39     ///
40     /// **Known problems:** If the argument is dereferenced within the function,
41     /// removing the `ref` will lead to errors. This can be fixed by removing the
42     /// dereferences, e.g., changing `*x` to `x` within the function.
43     ///
44     /// **Example:**
45     /// ```rust,ignore
46     /// // Bad
47     /// fn foo(ref x: u8) -> bool {
48     ///     true
49     /// }
50     ///
51     /// // Good
52     /// fn foo(x: &u8) -> bool {
53     ///     true
54     /// }
55     /// ```
56     pub TOPLEVEL_REF_ARG,
57     style,
58     "an entire binding declared as `ref`, in a function argument or a `let` statement"
59 }
60
61 declare_clippy_lint! {
62     /// **What it does:** Checks for comparisons to NaN.
63     ///
64     /// **Why is this bad?** NaN does not compare meaningfully to anything – not
65     /// even itself – so those comparisons are simply wrong.
66     ///
67     /// **Known problems:** None.
68     ///
69     /// **Example:**
70     /// ```rust
71     /// # let x = 1.0;
72     ///
73     /// // Bad
74     /// if x == f32::NAN { }
75     ///
76     /// // Good
77     /// if x.is_nan() { }
78     /// ```
79     pub CMP_NAN,
80     correctness,
81     "comparisons to `NAN`, which will always return false, probably not intended"
82 }
83
84 declare_clippy_lint! {
85     /// **What it does:** Checks for (in-)equality comparisons on floating-point
86     /// values (apart from zero), except in functions called `*eq*` (which probably
87     /// implement equality for a type involving floats).
88     ///
89     /// **Why is this bad?** Floating point calculations are usually imprecise, so
90     /// asking if two values are *exactly* equal is asking for trouble. For a good
91     /// guide on what to do, see [the floating point
92     /// guide](http://www.floating-point-gui.de/errors/comparison).
93     ///
94     /// **Known problems:** None.
95     ///
96     /// **Example:**
97     /// ```rust
98     /// let x = 1.2331f64;
99     /// let y = 1.2332f64;
100     ///
101     /// // Bad
102     /// if y == 1.23f64 { }
103     /// if y != x {} // where both are floats
104     ///
105     /// // Good
106     /// let error_margin = f64::EPSILON; // Use an epsilon for comparison
107     /// // Or, if Rust <= 1.42, use `std::f64::EPSILON` constant instead.
108     /// // let error_margin = std::f64::EPSILON;
109     /// if (y - 1.23f64).abs() < error_margin { }
110     /// if (y - x).abs() > error_margin { }
111     /// ```
112     pub FLOAT_CMP,
113     correctness,
114     "using `==` or `!=` on float values instead of comparing difference with an epsilon"
115 }
116
117 declare_clippy_lint! {
118     /// **What it does:** Checks for conversions to owned values just for the sake
119     /// of a comparison.
120     ///
121     /// **Why is this bad?** The comparison can operate on a reference, so creating
122     /// an owned value effectively throws it away directly afterwards, which is
123     /// needlessly consuming code and heap space.
124     ///
125     /// **Known problems:** None.
126     ///
127     /// **Example:**
128     /// ```rust
129     /// # let x = "foo";
130     /// # let y = String::from("foo");
131     /// if x.to_owned() == y {}
132     /// ```
133     /// Could be written as
134     /// ```rust
135     /// # let x = "foo";
136     /// # let y = String::from("foo");
137     /// if x == y {}
138     /// ```
139     pub CMP_OWNED,
140     perf,
141     "creating owned instances for comparing with others, e.g., `x == \"foo\".to_string()`"
142 }
143
144 declare_clippy_lint! {
145     /// **What it does:** Checks for getting the remainder of a division by one or minus
146     /// one.
147     ///
148     /// **Why is this bad?** The result for a divisor of one can only ever be zero; for
149     /// minus one it can cause panic/overflow (if the left operand is the minimal value of
150     /// the respective integer type) or results in zero. No one will write such code
151     /// deliberately, unless trying to win an Underhanded Rust Contest. Even for that
152     /// contest, it's probably a bad idea. Use something more underhanded.
153     ///
154     /// **Known problems:** None.
155     ///
156     /// **Example:**
157     /// ```rust
158     /// # let x = 1;
159     /// let a = x % 1;
160     /// let a = x % -1;
161     /// ```
162     pub MODULO_ONE,
163     correctness,
164     "taking a number modulo +/-1, which can either panic/overflow or always returns 0"
165 }
166
167 declare_clippy_lint! {
168     /// **What it does:** Checks for the use of bindings with a single leading
169     /// underscore.
170     ///
171     /// **Why is this bad?** A single leading underscore is usually used to indicate
172     /// that a binding will not be used. Using such a binding breaks this
173     /// expectation.
174     ///
175     /// **Known problems:** The lint does not work properly with desugaring and
176     /// macro, it has been allowed in the mean time.
177     ///
178     /// **Example:**
179     /// ```rust
180     /// let _x = 0;
181     /// let y = _x + 1; // Here we are using `_x`, even though it has a leading
182     ///                 // underscore. We should rename `_x` to `x`
183     /// ```
184     pub USED_UNDERSCORE_BINDING,
185     pedantic,
186     "using a binding which is prefixed with an underscore"
187 }
188
189 declare_clippy_lint! {
190     /// **What it does:** Checks for the use of short circuit boolean conditions as
191     /// a
192     /// statement.
193     ///
194     /// **Why is this bad?** Using a short circuit boolean condition as a statement
195     /// may hide the fact that the second part is executed or not depending on the
196     /// outcome of the first part.
197     ///
198     /// **Known problems:** None.
199     ///
200     /// **Example:**
201     /// ```rust,ignore
202     /// f() && g(); // We should write `if f() { g(); }`.
203     /// ```
204     pub SHORT_CIRCUIT_STATEMENT,
205     complexity,
206     "using a short circuit boolean condition as a statement"
207 }
208
209 declare_clippy_lint! {
210     /// **What it does:** Catch casts from `0` to some pointer type
211     ///
212     /// **Why is this bad?** This generally means `null` and is better expressed as
213     /// {`std`, `core`}`::ptr::`{`null`, `null_mut`}.
214     ///
215     /// **Known problems:** None.
216     ///
217     /// **Example:**
218     ///
219     /// ```rust
220     /// // Bad
221     /// let a = 0 as *const u32;
222     ///
223     /// // Good
224     /// let a = std::ptr::null::<u32>();
225     /// ```
226     pub ZERO_PTR,
227     style,
228     "using `0 as *{const, mut} T`"
229 }
230
231 declare_clippy_lint! {
232     /// **What it does:** Checks for (in-)equality comparisons on floating-point
233     /// value and constant, except in functions called `*eq*` (which probably
234     /// implement equality for a type involving floats).
235     ///
236     /// **Why is this bad?** Floating point calculations are usually imprecise, so
237     /// asking if two values are *exactly* equal is asking for trouble. For a good
238     /// guide on what to do, see [the floating point
239     /// guide](http://www.floating-point-gui.de/errors/comparison).
240     ///
241     /// **Known problems:** None.
242     ///
243     /// **Example:**
244     /// ```rust
245     /// let x: f64 = 1.0;
246     /// const ONE: f64 = 1.00;
247     ///
248     /// // Bad
249     /// if x == ONE { } // where both are floats
250     ///
251     /// // Good
252     /// let error_margin = f64::EPSILON; // Use an epsilon for comparison
253     /// // Or, if Rust <= 1.42, use `std::f64::EPSILON` constant instead.
254     /// // let error_margin = std::f64::EPSILON;
255     /// if (x - ONE).abs() < error_margin { }
256     /// ```
257     pub FLOAT_CMP_CONST,
258     restriction,
259     "using `==` or `!=` on float constants instead of comparing difference with an epsilon"
260 }
261
262 declare_lint_pass!(MiscLints => [
263     TOPLEVEL_REF_ARG,
264     CMP_NAN,
265     FLOAT_CMP,
266     CMP_OWNED,
267     MODULO_ONE,
268     USED_UNDERSCORE_BINDING,
269     SHORT_CIRCUIT_STATEMENT,
270     ZERO_PTR,
271     FLOAT_CMP_CONST
272 ]);
273
274 impl<'tcx> LateLintPass<'tcx> for MiscLints {
275     fn check_fn(
276         &mut self,
277         cx: &LateContext<'tcx>,
278         k: FnKind<'tcx>,
279         decl: &'tcx FnDecl<'_>,
280         body: &'tcx Body<'_>,
281         span: Span,
282         _: HirId,
283     ) {
284         if let FnKind::Closure = k {
285             // Does not apply to closures
286             return;
287         }
288         if in_external_macro(cx.tcx.sess, span) {
289             return;
290         }
291         for arg in iter_input_pats(decl, body) {
292             if let PatKind::Binding(BindingAnnotation::Ref | BindingAnnotation::RefMut, ..) = arg.pat.kind {
293                 span_lint(
294                     cx,
295                     TOPLEVEL_REF_ARG,
296                     arg.pat.span,
297                     "`ref` directly on a function argument is ignored. \
298                     Consider using a reference type instead",
299                 );
300             }
301         }
302     }
303
304     fn check_stmt(&mut self, cx: &LateContext<'tcx>, stmt: &'tcx Stmt<'_>) {
305         if_chain! {
306             if !in_external_macro(cx.tcx.sess, stmt.span);
307             if let StmtKind::Local(ref local) = stmt.kind;
308             if let PatKind::Binding(an, .., name, None) = local.pat.kind;
309             if let Some(ref init) = local.init;
310             if !higher::is_from_for_desugar(local);
311             then {
312                 if an == BindingAnnotation::Ref || an == BindingAnnotation::RefMut {
313                     // use the macro callsite when the init span (but not the whole local span)
314                     // comes from an expansion like `vec![1, 2, 3]` in `let ref _ = vec![1, 2, 3];`
315                     let sugg_init = if init.span.from_expansion() && !local.span.from_expansion() {
316                         Sugg::hir_with_macro_callsite(cx, init, "..")
317                     } else {
318                         Sugg::hir(cx, init, "..")
319                     };
320                     let (mutopt, initref) = if an == BindingAnnotation::RefMut {
321                         ("mut ", sugg_init.mut_addr())
322                     } else {
323                         ("", sugg_init.addr())
324                     };
325                     let tyopt = if let Some(ref ty) = local.ty {
326                         format!(": &{mutopt}{ty}", mutopt=mutopt, ty=snippet(cx, ty.span, ".."))
327                     } else {
328                         String::new()
329                     };
330                     span_lint_hir_and_then(
331                         cx,
332                         TOPLEVEL_REF_ARG,
333                         init.hir_id,
334                         local.pat.span,
335                         "`ref` on an entire `let` pattern is discouraged, take a reference with `&` instead",
336                         |diag| {
337                             diag.span_suggestion(
338                                 stmt.span,
339                                 "try",
340                                 format!(
341                                     "let {name}{tyopt} = {initref};",
342                                     name=snippet(cx, name.span, ".."),
343                                     tyopt=tyopt,
344                                     initref=initref,
345                                 ),
346                                 Applicability::MachineApplicable,
347                             );
348                         }
349                     );
350                 }
351             }
352         };
353         if_chain! {
354             if let StmtKind::Semi(ref expr) = stmt.kind;
355             if let ExprKind::Binary(ref binop, ref a, ref b) = expr.kind;
356             if binop.node == BinOpKind::And || binop.node == BinOpKind::Or;
357             if let Some(sugg) = Sugg::hir_opt(cx, a);
358             then {
359                 span_lint_and_then(cx,
360                     SHORT_CIRCUIT_STATEMENT,
361                     stmt.span,
362                     "boolean short circuit operator in statement may be clearer using an explicit test",
363                     |diag| {
364                         let sugg = if binop.node == BinOpKind::Or { !sugg } else { sugg };
365                         diag.span_suggestion(
366                             stmt.span,
367                             "replace it with",
368                             format!(
369                                 "if {} {{ {}; }}",
370                                 sugg,
371                                 &snippet(cx, b.span, ".."),
372                             ),
373                             Applicability::MachineApplicable, // snippet
374                         );
375                     });
376             }
377         };
378     }
379
380     fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
381         match expr.kind {
382             ExprKind::Cast(ref e, ref ty) => {
383                 check_cast(cx, expr.span, e, ty);
384                 return;
385             },
386             ExprKind::Binary(ref cmp, ref left, ref right) => {
387                 check_binary(cx, expr, cmp, left, right);
388                 return;
389             },
390             _ => {},
391         }
392         if in_attributes_expansion(expr) || expr.span.is_desugaring(DesugaringKind::Await) {
393             // Don't lint things expanded by #[derive(...)], etc or `await` desugaring
394             return;
395         }
396         let binding = match expr.kind {
397             ExprKind::Path(ref qpath) if !matches!(qpath, hir::QPath::LangItem(..)) => {
398                 let binding = last_path_segment(qpath).ident.as_str();
399                 if binding.starts_with('_') &&
400                     !binding.starts_with("__") &&
401                     binding != "_result" && // FIXME: #944
402                     is_used(cx, expr) &&
403                     // don't lint if the declaration is in a macro
404                     non_macro_local(cx, cx.qpath_res(qpath, expr.hir_id))
405                 {
406                     Some(binding)
407                 } else {
408                     None
409                 }
410             },
411             ExprKind::Field(_, ident) => {
412                 let name = ident.as_str();
413                 if name.starts_with('_') && !name.starts_with("__") {
414                     Some(name)
415                 } else {
416                     None
417                 }
418             },
419             _ => None,
420         };
421         if let Some(binding) = binding {
422             span_lint(
423                 cx,
424                 USED_UNDERSCORE_BINDING,
425                 expr.span,
426                 &format!(
427                     "used binding `{}` which is prefixed with an underscore. A leading \
428                      underscore signals that a binding will not be used",
429                     binding
430                 ),
431             );
432         }
433     }
434 }
435
436 fn get_lint_and_message(
437     is_comparing_constants: bool,
438     is_comparing_arrays: bool,
439 ) -> (&'static rustc_lint::Lint, &'static str) {
440     if is_comparing_constants {
441         (
442             FLOAT_CMP_CONST,
443             if is_comparing_arrays {
444                 "strict comparison of `f32` or `f64` constant arrays"
445             } else {
446                 "strict comparison of `f32` or `f64` constant"
447             },
448         )
449     } else {
450         (
451             FLOAT_CMP,
452             if is_comparing_arrays {
453                 "strict comparison of `f32` or `f64` arrays"
454             } else {
455                 "strict comparison of `f32` or `f64`"
456             },
457         )
458     }
459 }
460
461 fn check_nan(cx: &LateContext<'_>, expr: &Expr<'_>, cmp_expr: &Expr<'_>) {
462     if_chain! {
463         if !in_constant(cx, cmp_expr.hir_id);
464         if let Some((value, _)) = constant(cx, cx.typeck_results(), expr);
465         then {
466             let needs_lint = match value {
467                 Constant::F32(num) => num.is_nan(),
468                 Constant::F64(num) => num.is_nan(),
469                 _ => false,
470             };
471
472             if needs_lint {
473                 span_lint(
474                     cx,
475                     CMP_NAN,
476                     cmp_expr.span,
477                     "doomed comparison with `NAN`, use `{f32,f64}::is_nan()` instead",
478                 );
479             }
480         }
481     }
482 }
483
484 fn is_named_constant<'tcx>(cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) -> bool {
485     if let Some((_, res)) = constant(cx, cx.typeck_results(), expr) {
486         res
487     } else {
488         false
489     }
490 }
491
492 fn is_allowed<'tcx>(cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) -> bool {
493     match constant(cx, cx.typeck_results(), expr) {
494         Some((Constant::F32(f), _)) => f == 0.0 || f.is_infinite(),
495         Some((Constant::F64(f), _)) => f == 0.0 || f.is_infinite(),
496         Some((Constant::Vec(vec), _)) => vec.iter().all(|f| match f {
497             Constant::F32(f) => *f == 0.0 || (*f).is_infinite(),
498             Constant::F64(f) => *f == 0.0 || (*f).is_infinite(),
499             _ => false,
500         }),
501         _ => false,
502     }
503 }
504
505 // Return true if `expr` is the result of `signum()` invoked on a float value.
506 fn is_signum(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
507     // The negation of a signum is still a signum
508     if let ExprKind::Unary(UnOp::Neg, ref child_expr) = expr.kind {
509         return is_signum(cx, &child_expr);
510     }
511
512     if_chain! {
513         if let ExprKind::MethodCall(ref method_name, _, ref expressions, _) = expr.kind;
514         if sym!(signum) == method_name.ident.name;
515         // Check that the receiver of the signum() is a float (expressions[0] is the receiver of
516         // the method call)
517         then {
518             return is_float(cx, &expressions[0]);
519         }
520     }
521     false
522 }
523
524 fn is_float(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
525     let value = &cx.typeck_results().expr_ty(expr).peel_refs().kind();
526
527     if let ty::Array(arr_ty, _) = value {
528         return matches!(arr_ty.kind(), ty::Float(_));
529     };
530
531     matches!(value, ty::Float(_))
532 }
533
534 fn is_array(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
535     matches!(&cx.typeck_results().expr_ty(expr).peel_refs().kind(), ty::Array(_, _))
536 }
537
538 fn check_to_owned(cx: &LateContext<'_>, expr: &Expr<'_>, other: &Expr<'_>, left: bool) {
539     #[derive(Default)]
540     struct EqImpl {
541         ty_eq_other: bool,
542         other_eq_ty: bool,
543     }
544
545     impl EqImpl {
546         fn is_implemented(&self) -> bool {
547             self.ty_eq_other || self.other_eq_ty
548         }
549     }
550
551     fn symmetric_partial_eq<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>, other: Ty<'tcx>) -> Option<EqImpl> {
552         cx.tcx.lang_items().eq_trait().map(|def_id| EqImpl {
553             ty_eq_other: implements_trait(cx, ty, def_id, &[other.into()]),
554             other_eq_ty: implements_trait(cx, other, def_id, &[ty.into()]),
555         })
556     }
557
558     let (arg_ty, snip) = match expr.kind {
559         ExprKind::MethodCall(.., ref args, _) if args.len() == 1 => {
560             if_chain!(
561                 if let Some(expr_def_id) = cx.typeck_results().type_dependent_def_id(expr.hir_id);
562                 if is_diagnostic_assoc_item(cx, expr_def_id, sym::ToString)
563                     || is_diagnostic_assoc_item(cx, expr_def_id, sym::ToOwned);
564                 then {
565                     (cx.typeck_results().expr_ty(&args[0]), snippet(cx, args[0].span, ".."))
566                 } else {
567                     return;
568                 }
569             )
570         },
571         ExprKind::Call(ref path, ref v) if v.len() == 1 => {
572             if let ExprKind::Path(ref path) = path.kind {
573                 if match_qpath(path, &["String", "from_str"]) || match_qpath(path, &["String", "from"]) {
574                     (cx.typeck_results().expr_ty(&v[0]), snippet(cx, v[0].span, ".."))
575                 } else {
576                     return;
577                 }
578             } else {
579                 return;
580             }
581         },
582         _ => return,
583     };
584
585     let other_ty = cx.typeck_results().expr_ty(other);
586
587     let without_deref = symmetric_partial_eq(cx, arg_ty, other_ty).unwrap_or_default();
588     let with_deref = arg_ty
589         .builtin_deref(true)
590         .and_then(|tam| symmetric_partial_eq(cx, tam.ty, other_ty))
591         .unwrap_or_default();
592
593     if !with_deref.is_implemented() && !without_deref.is_implemented() {
594         return;
595     }
596
597     let other_gets_derefed = matches!(other.kind, ExprKind::Unary(UnOp::Deref, _));
598
599     let lint_span = if other_gets_derefed {
600         expr.span.to(other.span)
601     } else {
602         expr.span
603     };
604
605     span_lint_and_then(
606         cx,
607         CMP_OWNED,
608         lint_span,
609         "this creates an owned instance just for comparison",
610         |diag| {
611             // This also catches `PartialEq` implementations that call `to_owned`.
612             if other_gets_derefed {
613                 diag.span_label(lint_span, "try implementing the comparison without allocating");
614                 return;
615             }
616
617             let expr_snip;
618             let eq_impl;
619             if with_deref.is_implemented() {
620                 expr_snip = format!("*{}", snip);
621                 eq_impl = with_deref;
622             } else {
623                 expr_snip = snip.to_string();
624                 eq_impl = without_deref;
625             };
626
627             let span;
628             let hint;
629             if (eq_impl.ty_eq_other && left) || (eq_impl.other_eq_ty && !left) {
630                 span = expr.span;
631                 hint = expr_snip;
632             } else {
633                 span = expr.span.to(other.span);
634                 if eq_impl.ty_eq_other {
635                     hint = format!("{} == {}", expr_snip, snippet(cx, other.span, ".."));
636                 } else {
637                     hint = format!("{} == {}", snippet(cx, other.span, ".."), expr_snip);
638                 }
639             }
640
641             diag.span_suggestion(
642                 span,
643                 "try",
644                 hint,
645                 Applicability::MachineApplicable, // snippet
646             );
647         },
648     );
649 }
650
651 /// Heuristic to see if an expression is used. Should be compatible with
652 /// `unused_variables`'s idea
653 /// of what it means for an expression to be "used".
654 fn is_used(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
655     get_parent_expr(cx, expr).map_or(true, |parent| match parent.kind {
656         ExprKind::Assign(_, ref rhs, _) | ExprKind::AssignOp(_, _, ref rhs) => SpanlessEq::new(cx).eq_expr(rhs, expr),
657         _ => is_used(cx, parent),
658     })
659 }
660
661 /// Tests whether an expression is in a macro expansion (e.g., something
662 /// generated by `#[derive(...)]` or the like).
663 fn in_attributes_expansion(expr: &Expr<'_>) -> bool {
664     use rustc_span::hygiene::MacroKind;
665     if expr.span.from_expansion() {
666         let data = expr.span.ctxt().outer_expn_data();
667         matches!(data.kind, ExpnKind::Macro(MacroKind::Attr, _))
668     } else {
669         false
670     }
671 }
672
673 /// Tests whether `res` is a variable defined outside a macro.
674 fn non_macro_local(cx: &LateContext<'_>, res: def::Res) -> bool {
675     if let def::Res::Local(id) = res {
676         !cx.tcx.hir().span(id).from_expansion()
677     } else {
678         false
679     }
680 }
681
682 fn check_cast(cx: &LateContext<'_>, span: Span, e: &Expr<'_>, ty: &hir::Ty<'_>) {
683     if_chain! {
684         if let TyKind::Ptr(ref mut_ty) = ty.kind;
685         if let ExprKind::Lit(ref lit) = e.kind;
686         if let LitKind::Int(0, _) = lit.node;
687         if !in_constant(cx, e.hir_id);
688         then {
689             let (msg, sugg_fn) = match mut_ty.mutbl {
690                 Mutability::Mut => ("`0 as *mut _` detected", "std::ptr::null_mut"),
691                 Mutability::Not => ("`0 as *const _` detected", "std::ptr::null"),
692             };
693
694             let (sugg, appl) = if let TyKind::Infer = mut_ty.ty.kind {
695                 (format!("{}()", sugg_fn), Applicability::MachineApplicable)
696             } else if let Some(mut_ty_snip) = snippet_opt(cx, mut_ty.ty.span) {
697                 (format!("{}::<{}>()", sugg_fn, mut_ty_snip), Applicability::MachineApplicable)
698             } else {
699                 // `MaybeIncorrect` as type inference may not work with the suggested code
700                 (format!("{}()", sugg_fn), Applicability::MaybeIncorrect)
701             };
702             span_lint_and_sugg(cx, ZERO_PTR, span, msg, "try", sugg, appl);
703         }
704     }
705 }
706
707 fn check_binary(
708     cx: &LateContext<'a>,
709     expr: &Expr<'_>,
710     cmp: &rustc_span::source_map::Spanned<rustc_hir::BinOpKind>,
711     left: &'a Expr<'_>,
712     right: &'a Expr<'_>,
713 ) {
714     let op = cmp.node;
715     if op.is_comparison() {
716         check_nan(cx, left, expr);
717         check_nan(cx, right, expr);
718         check_to_owned(cx, left, right, true);
719         check_to_owned(cx, right, left, false);
720     }
721     if (op == BinOpKind::Eq || op == BinOpKind::Ne) && (is_float(cx, left) || is_float(cx, right)) {
722         if is_allowed(cx, left) || is_allowed(cx, right) {
723             return;
724         }
725
726         // Allow comparing the results of signum()
727         if is_signum(cx, left) && is_signum(cx, right) {
728             return;
729         }
730
731         if let Some(name) = get_item_name(cx, expr) {
732             let name = name.as_str();
733             if name == "eq" || name == "ne" || name == "is_nan" || name.starts_with("eq_") || name.ends_with("_eq") {
734                 return;
735             }
736         }
737         let is_comparing_arrays = is_array(cx, left) || is_array(cx, right);
738         let (lint, msg) = get_lint_and_message(
739             is_named_constant(cx, left) || is_named_constant(cx, right),
740             is_comparing_arrays,
741         );
742         span_lint_and_then(cx, lint, expr.span, msg, |diag| {
743             let lhs = Sugg::hir(cx, left, "..");
744             let rhs = Sugg::hir(cx, right, "..");
745
746             if !is_comparing_arrays {
747                 diag.span_suggestion(
748                     expr.span,
749                     "consider comparing them within some margin of error",
750                     format!(
751                         "({}).abs() {} error_margin",
752                         lhs - rhs,
753                         if op == BinOpKind::Eq { '<' } else { '>' }
754                     ),
755                     Applicability::HasPlaceholders, // snippet
756                 );
757             }
758             diag.note("`f32::EPSILON` and `f64::EPSILON` are available for the `error_margin`");
759         });
760     } else if op == BinOpKind::Rem {
761         if is_integer_const(cx, right, 1) {
762             span_lint(cx, MODULO_ONE, expr.span, "any number modulo 1 will be 0");
763         }
764
765         if let ty::Int(ity) = cx.typeck_results().expr_ty(right).kind() {
766             if is_integer_const(cx, right, unsext(cx.tcx, -1, *ity)) {
767                 span_lint(
768                     cx,
769                     MODULO_ONE,
770                     expr.span,
771                     "any number modulo -1 will panic/overflow or result in 0",
772                 );
773             }
774         };
775     }
776 }