]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/floating_point_arithmetic.rs
Merge commit 'd7b5cbf065b88830ca519adcb73fad4c0d24b1c7' into clippyup
[rust.git] / clippy_lints / src / floating_point_arithmetic.rs
1 use clippy_utils::consts::{
2     constant, constant_simple, Constant,
3     Constant::{Int, F32, F64},
4 };
5 use clippy_utils::diagnostics::span_lint_and_sugg;
6 use clippy_utils::higher;
7 use clippy_utils::{eq_expr_value, get_parent_expr, in_constant, numeric_literal, peel_blocks, sugg};
8 use if_chain::if_chain;
9 use rustc_errors::Applicability;
10 use rustc_hir::{BinOpKind, Expr, ExprKind, PathSegment, UnOp};
11 use rustc_lint::{LateContext, LateLintPass};
12 use rustc_middle::ty;
13 use rustc_session::{declare_lint_pass, declare_tool_lint};
14 use rustc_span::source_map::Spanned;
15
16 use rustc_ast::ast;
17 use std::f32::consts as f32_consts;
18 use std::f64::consts as f64_consts;
19 use sugg::Sugg;
20
21 declare_clippy_lint! {
22     /// ### What it does
23     /// Looks for floating-point expressions that
24     /// can be expressed using built-in methods to improve accuracy
25     /// at the cost of performance.
26     ///
27     /// ### Why is this bad?
28     /// Negatively impacts accuracy.
29     ///
30     /// ### Example
31     /// ```rust
32     /// let a = 3f32;
33     /// let _ = a.powf(1.0 / 3.0);
34     /// let _ = (1.0 + a).ln();
35     /// let _ = a.exp() - 1.0;
36     /// ```
37     ///
38     /// Use instead:
39     /// ```rust
40     /// let a = 3f32;
41     /// let _ = a.cbrt();
42     /// let _ = a.ln_1p();
43     /// let _ = a.exp_m1();
44     /// ```
45     #[clippy::version = "1.43.0"]
46     pub IMPRECISE_FLOPS,
47     nursery,
48     "usage of imprecise floating point operations"
49 }
50
51 declare_clippy_lint! {
52     /// ### What it does
53     /// Looks for floating-point expressions that
54     /// can be expressed using built-in methods to improve both
55     /// accuracy and performance.
56     ///
57     /// ### Why is this bad?
58     /// Negatively impacts accuracy and performance.
59     ///
60     /// ### Example
61     /// ```rust
62     /// use std::f32::consts::E;
63     ///
64     /// let a = 3f32;
65     /// let _ = (2f32).powf(a);
66     /// let _ = E.powf(a);
67     /// let _ = a.powf(1.0 / 2.0);
68     /// let _ = a.log(2.0);
69     /// let _ = a.log(10.0);
70     /// let _ = a.log(E);
71     /// let _ = a.powf(2.0);
72     /// let _ = a * 2.0 + 4.0;
73     /// let _ = if a < 0.0 {
74     ///     -a
75     /// } else {
76     ///     a
77     /// };
78     /// let _ = if a < 0.0 {
79     ///     a
80     /// } else {
81     ///     -a
82     /// };
83     /// ```
84     ///
85     /// is better expressed as
86     ///
87     /// ```rust
88     /// use std::f32::consts::E;
89     ///
90     /// let a = 3f32;
91     /// let _ = a.exp2();
92     /// let _ = a.exp();
93     /// let _ = a.sqrt();
94     /// let _ = a.log2();
95     /// let _ = a.log10();
96     /// let _ = a.ln();
97     /// let _ = a.powi(2);
98     /// let _ = a.mul_add(2.0, 4.0);
99     /// let _ = a.abs();
100     /// let _ = -a.abs();
101     /// ```
102     #[clippy::version = "1.43.0"]
103     pub SUBOPTIMAL_FLOPS,
104     nursery,
105     "usage of sub-optimal floating point operations"
106 }
107
108 declare_lint_pass!(FloatingPointArithmetic => [
109     IMPRECISE_FLOPS,
110     SUBOPTIMAL_FLOPS
111 ]);
112
113 // Returns the specialized log method for a given base if base is constant
114 // and is one of 2, 10 and e
115 fn get_specialized_log_method(cx: &LateContext<'_>, base: &Expr<'_>) -> Option<&'static str> {
116     if let Some((value, _)) = constant(cx, cx.typeck_results(), base) {
117         if F32(2.0) == value || F64(2.0) == value {
118             return Some("log2");
119         } else if F32(10.0) == value || F64(10.0) == value {
120             return Some("log10");
121         } else if F32(f32_consts::E) == value || F64(f64_consts::E) == value {
122             return Some("ln");
123         }
124     }
125
126     None
127 }
128
129 // Adds type suffixes and parenthesis to method receivers if necessary
130 fn prepare_receiver_sugg<'a>(cx: &LateContext<'_>, mut expr: &'a Expr<'a>) -> Sugg<'a> {
131     let mut suggestion = Sugg::hir(cx, expr, "..");
132
133     if let ExprKind::Unary(UnOp::Neg, inner_expr) = &expr.kind {
134         expr = inner_expr;
135     }
136
137     if_chain! {
138         // if the expression is a float literal and it is unsuffixed then
139         // add a suffix so the suggestion is valid and unambiguous
140         if let ty::Float(float_ty) = cx.typeck_results().expr_ty(expr).kind();
141         if let ExprKind::Lit(lit) = &expr.kind;
142         if let ast::LitKind::Float(sym, ast::LitFloatType::Unsuffixed) = lit.node;
143         then {
144             let op = format!(
145                 "{}{}{}",
146                 suggestion,
147                 // Check for float literals without numbers following the decimal
148                 // separator such as `2.` and adds a trailing zero
149                 if sym.as_str().ends_with('.') {
150                     "0"
151                 } else {
152                     ""
153                 },
154                 float_ty.name_str()
155             ).into();
156
157             suggestion = match suggestion {
158                 Sugg::MaybeParen(_) => Sugg::MaybeParen(op),
159                 _ => Sugg::NonParen(op)
160             };
161         }
162     }
163
164     suggestion.maybe_par()
165 }
166
167 fn check_log_base(cx: &LateContext<'_>, expr: &Expr<'_>, args: &[Expr<'_>]) {
168     if let Some(method) = get_specialized_log_method(cx, &args[1]) {
169         span_lint_and_sugg(
170             cx,
171             SUBOPTIMAL_FLOPS,
172             expr.span,
173             "logarithm for bases 2, 10 and e can be computed more accurately",
174             "consider using",
175             format!("{}.{}()", Sugg::hir(cx, &args[0], ".."), method),
176             Applicability::MachineApplicable,
177         );
178     }
179 }
180
181 // TODO: Lint expressions of the form `(x + y).ln()` where y > 1 and
182 // suggest usage of `(x + (y - 1)).ln_1p()` instead
183 fn check_ln1p(cx: &LateContext<'_>, expr: &Expr<'_>, args: &[Expr<'_>]) {
184     if let ExprKind::Binary(
185         Spanned {
186             node: BinOpKind::Add, ..
187         },
188         lhs,
189         rhs,
190     ) = &args[0].kind
191     {
192         let recv = match (
193             constant(cx, cx.typeck_results(), lhs),
194             constant(cx, cx.typeck_results(), rhs),
195         ) {
196             (Some((value, _)), _) if F32(1.0) == value || F64(1.0) == value => rhs,
197             (_, Some((value, _))) if F32(1.0) == value || F64(1.0) == value => lhs,
198             _ => return,
199         };
200
201         span_lint_and_sugg(
202             cx,
203             IMPRECISE_FLOPS,
204             expr.span,
205             "ln(1 + x) can be computed more accurately",
206             "consider using",
207             format!("{}.ln_1p()", prepare_receiver_sugg(cx, recv)),
208             Applicability::MachineApplicable,
209         );
210     }
211 }
212
213 // Returns an integer if the float constant is a whole number and it can be
214 // converted to an integer without loss of precision. For now we only check
215 // ranges [-16777215, 16777216) for type f32 as whole number floats outside
216 // this range are lossy and ambiguous.
217 #[expect(clippy::cast_possible_truncation)]
218 fn get_integer_from_float_constant(value: &Constant) -> Option<i32> {
219     match value {
220         F32(num) if num.fract() == 0.0 => {
221             if (-16_777_215.0..16_777_216.0).contains(num) {
222                 Some(num.round() as i32)
223             } else {
224                 None
225             }
226         },
227         F64(num) if num.fract() == 0.0 => {
228             if (-2_147_483_648.0..2_147_483_648.0).contains(num) {
229                 Some(num.round() as i32)
230             } else {
231                 None
232             }
233         },
234         _ => None,
235     }
236 }
237
238 fn check_powf(cx: &LateContext<'_>, expr: &Expr<'_>, args: &[Expr<'_>]) {
239     // Check receiver
240     if let Some((value, _)) = constant(cx, cx.typeck_results(), &args[0]) {
241         let method = if F32(f32_consts::E) == value || F64(f64_consts::E) == value {
242             "exp"
243         } else if F32(2.0) == value || F64(2.0) == value {
244             "exp2"
245         } else {
246             return;
247         };
248
249         span_lint_and_sugg(
250             cx,
251             SUBOPTIMAL_FLOPS,
252             expr.span,
253             "exponent for bases 2 and e can be computed more accurately",
254             "consider using",
255             format!("{}.{}()", prepare_receiver_sugg(cx, &args[1]), method),
256             Applicability::MachineApplicable,
257         );
258     }
259
260     // Check argument
261     if let Some((value, _)) = constant(cx, cx.typeck_results(), &args[1]) {
262         let (lint, help, suggestion) = if F32(1.0 / 2.0) == value || F64(1.0 / 2.0) == value {
263             (
264                 SUBOPTIMAL_FLOPS,
265                 "square-root of a number can be computed more efficiently and accurately",
266                 format!("{}.sqrt()", Sugg::hir(cx, &args[0], "..")),
267             )
268         } else if F32(1.0 / 3.0) == value || F64(1.0 / 3.0) == value {
269             (
270                 IMPRECISE_FLOPS,
271                 "cube-root of a number can be computed more accurately",
272                 format!("{}.cbrt()", Sugg::hir(cx, &args[0], "..")),
273             )
274         } else if let Some(exponent) = get_integer_from_float_constant(&value) {
275             (
276                 SUBOPTIMAL_FLOPS,
277                 "exponentiation with integer powers can be computed more efficiently",
278                 format!(
279                     "{}.powi({})",
280                     Sugg::hir(cx, &args[0], ".."),
281                     numeric_literal::format(&exponent.to_string(), None, false)
282                 ),
283             )
284         } else {
285             return;
286         };
287
288         span_lint_and_sugg(
289             cx,
290             lint,
291             expr.span,
292             help,
293             "consider using",
294             suggestion,
295             Applicability::MachineApplicable,
296         );
297     }
298 }
299
300 fn check_powi(cx: &LateContext<'_>, expr: &Expr<'_>, args: &[Expr<'_>]) {
301     if let Some((value, _)) = constant(cx, cx.typeck_results(), &args[1]) {
302         if value == Int(2) {
303             if let Some(parent) = get_parent_expr(cx, expr) {
304                 if let Some(grandparent) = get_parent_expr(cx, parent) {
305                     if let ExprKind::MethodCall(PathSegment { ident: method_name, .. }, args, _) = grandparent.kind {
306                         if method_name.as_str() == "sqrt" && detect_hypot(cx, args).is_some() {
307                             return;
308                         }
309                     }
310                 }
311
312                 if let ExprKind::Binary(
313                     Spanned {
314                         node: BinOpKind::Add, ..
315                     },
316                     lhs,
317                     rhs,
318                 ) = parent.kind
319                 {
320                     let other_addend = if lhs.hir_id == expr.hir_id { rhs } else { lhs };
321
322                     span_lint_and_sugg(
323                         cx,
324                         SUBOPTIMAL_FLOPS,
325                         parent.span,
326                         "multiply and add expressions can be calculated more efficiently and accurately",
327                         "consider using",
328                         format!(
329                             "{}.mul_add({}, {})",
330                             Sugg::hir(cx, &args[0], ".."),
331                             Sugg::hir(cx, &args[0], ".."),
332                             Sugg::hir(cx, other_addend, ".."),
333                         ),
334                         Applicability::MachineApplicable,
335                     );
336                 }
337             }
338         }
339     }
340 }
341
342 fn detect_hypot(cx: &LateContext<'_>, args: &[Expr<'_>]) -> Option<String> {
343     if let ExprKind::Binary(
344         Spanned {
345             node: BinOpKind::Add, ..
346         },
347         add_lhs,
348         add_rhs,
349     ) = args[0].kind
350     {
351         // check if expression of the form x * x + y * y
352         if_chain! {
353             if let ExprKind::Binary(Spanned { node: BinOpKind::Mul, .. }, lmul_lhs, lmul_rhs) = add_lhs.kind;
354             if let ExprKind::Binary(Spanned { node: BinOpKind::Mul, .. }, rmul_lhs, rmul_rhs) = add_rhs.kind;
355             if eq_expr_value(cx, lmul_lhs, lmul_rhs);
356             if eq_expr_value(cx, rmul_lhs, rmul_rhs);
357             then {
358                 return Some(format!("{}.hypot({})", Sugg::hir(cx, lmul_lhs, "..").maybe_par(), Sugg::hir(cx, rmul_lhs, "..")));
359             }
360         }
361
362         // check if expression of the form x.powi(2) + y.powi(2)
363         if_chain! {
364             if let ExprKind::MethodCall(
365                 PathSegment { ident: lmethod_name, .. },
366                 [largs_0, largs_1, ..],
367                 _
368             ) = &add_lhs.kind;
369             if let ExprKind::MethodCall(
370                 PathSegment { ident: rmethod_name, .. },
371                 [rargs_0, rargs_1, ..],
372                 _
373             ) = &add_rhs.kind;
374             if lmethod_name.as_str() == "powi" && rmethod_name.as_str() == "powi";
375             if let Some((lvalue, _)) = constant(cx, cx.typeck_results(), largs_1);
376             if let Some((rvalue, _)) = constant(cx, cx.typeck_results(), rargs_1);
377             if Int(2) == lvalue && Int(2) == rvalue;
378             then {
379                 return Some(format!("{}.hypot({})", Sugg::hir(cx, largs_0, "..").maybe_par(), Sugg::hir(cx, rargs_0, "..")));
380             }
381         }
382     }
383
384     None
385 }
386
387 fn check_hypot(cx: &LateContext<'_>, expr: &Expr<'_>, args: &[Expr<'_>]) {
388     if let Some(message) = detect_hypot(cx, args) {
389         span_lint_and_sugg(
390             cx,
391             IMPRECISE_FLOPS,
392             expr.span,
393             "hypotenuse can be computed more accurately",
394             "consider using",
395             message,
396             Applicability::MachineApplicable,
397         );
398     }
399 }
400
401 // TODO: Lint expressions of the form `x.exp() - y` where y > 1
402 // and suggest usage of `x.exp_m1() - (y - 1)` instead
403 fn check_expm1(cx: &LateContext<'_>, expr: &Expr<'_>) {
404     if_chain! {
405         if let ExprKind::Binary(Spanned { node: BinOpKind::Sub, .. }, lhs, rhs) = expr.kind;
406         if cx.typeck_results().expr_ty(lhs).is_floating_point();
407         if let Some((value, _)) = constant(cx, cx.typeck_results(), rhs);
408         if F32(1.0) == value || F64(1.0) == value;
409         if let ExprKind::MethodCall(path, [self_arg, ..], _) = &lhs.kind;
410         if cx.typeck_results().expr_ty(self_arg).is_floating_point();
411         if path.ident.name.as_str() == "exp";
412         then {
413             span_lint_and_sugg(
414                 cx,
415                 IMPRECISE_FLOPS,
416                 expr.span,
417                 "(e.pow(x) - 1) can be computed more accurately",
418                 "consider using",
419                 format!(
420                     "{}.exp_m1()",
421                     Sugg::hir(cx, self_arg, "..")
422                 ),
423                 Applicability::MachineApplicable,
424             );
425         }
426     }
427 }
428
429 fn is_float_mul_expr<'a>(cx: &LateContext<'_>, expr: &'a Expr<'a>) -> Option<(&'a Expr<'a>, &'a Expr<'a>)> {
430     if_chain! {
431         if let ExprKind::Binary(Spanned { node: BinOpKind::Mul, .. }, lhs, rhs) = &expr.kind;
432         if cx.typeck_results().expr_ty(lhs).is_floating_point();
433         if cx.typeck_results().expr_ty(rhs).is_floating_point();
434         then {
435             return Some((lhs, rhs));
436         }
437     }
438
439     None
440 }
441
442 // TODO: Fix rust-lang/rust-clippy#4735
443 fn check_mul_add(cx: &LateContext<'_>, expr: &Expr<'_>) {
444     if let ExprKind::Binary(
445         Spanned {
446             node: BinOpKind::Add, ..
447         },
448         lhs,
449         rhs,
450     ) = &expr.kind
451     {
452         if let Some(parent) = get_parent_expr(cx, expr) {
453             if let ExprKind::MethodCall(PathSegment { ident: method_name, .. }, args, _) = parent.kind {
454                 if method_name.as_str() == "sqrt" && detect_hypot(cx, args).is_some() {
455                     return;
456                 }
457             }
458         }
459
460         let (recv, arg1, arg2) = if let Some((inner_lhs, inner_rhs)) = is_float_mul_expr(cx, lhs) {
461             (inner_lhs, inner_rhs, rhs)
462         } else if let Some((inner_lhs, inner_rhs)) = is_float_mul_expr(cx, rhs) {
463             (inner_lhs, inner_rhs, lhs)
464         } else {
465             return;
466         };
467
468         span_lint_and_sugg(
469             cx,
470             SUBOPTIMAL_FLOPS,
471             expr.span,
472             "multiply and add expressions can be calculated more efficiently and accurately",
473             "consider using",
474             format!(
475                 "{}.mul_add({}, {})",
476                 prepare_receiver_sugg(cx, recv),
477                 Sugg::hir(cx, arg1, ".."),
478                 Sugg::hir(cx, arg2, ".."),
479             ),
480             Applicability::MachineApplicable,
481         );
482     }
483 }
484
485 /// Returns true iff expr is an expression which tests whether or not
486 /// test is positive or an expression which tests whether or not test
487 /// is nonnegative.
488 /// Used for check-custom-abs function below
489 fn is_testing_positive(cx: &LateContext<'_>, expr: &Expr<'_>, test: &Expr<'_>) -> bool {
490     if let ExprKind::Binary(Spanned { node: op, .. }, left, right) = expr.kind {
491         match op {
492             BinOpKind::Gt | BinOpKind::Ge => is_zero(cx, right) && eq_expr_value(cx, left, test),
493             BinOpKind::Lt | BinOpKind::Le => is_zero(cx, left) && eq_expr_value(cx, right, test),
494             _ => false,
495         }
496     } else {
497         false
498     }
499 }
500
501 /// See [`is_testing_positive`]
502 fn is_testing_negative(cx: &LateContext<'_>, expr: &Expr<'_>, test: &Expr<'_>) -> bool {
503     if let ExprKind::Binary(Spanned { node: op, .. }, left, right) = expr.kind {
504         match op {
505             BinOpKind::Gt | BinOpKind::Ge => is_zero(cx, left) && eq_expr_value(cx, right, test),
506             BinOpKind::Lt | BinOpKind::Le => is_zero(cx, right) && eq_expr_value(cx, left, test),
507             _ => false,
508         }
509     } else {
510         false
511     }
512 }
513
514 /// Returns true iff expr is some zero literal
515 fn is_zero(cx: &LateContext<'_>, expr: &Expr<'_>) -> bool {
516     match constant_simple(cx, cx.typeck_results(), expr) {
517         Some(Constant::Int(i)) => i == 0,
518         Some(Constant::F32(f)) => f == 0.0,
519         Some(Constant::F64(f)) => f == 0.0,
520         _ => false,
521     }
522 }
523
524 /// If the two expressions are negations of each other, then it returns
525 /// a tuple, in which the first element is true iff expr1 is the
526 /// positive expressions, and the second element is the positive
527 /// one of the two expressions
528 /// If the two expressions are not negations of each other, then it
529 /// returns None.
530 fn are_negated<'a>(cx: &LateContext<'_>, expr1: &'a Expr<'a>, expr2: &'a Expr<'a>) -> Option<(bool, &'a Expr<'a>)> {
531     if let ExprKind::Unary(UnOp::Neg, expr1_negated) = &expr1.kind {
532         if eq_expr_value(cx, expr1_negated, expr2) {
533             return Some((false, expr2));
534         }
535     }
536     if let ExprKind::Unary(UnOp::Neg, expr2_negated) = &expr2.kind {
537         if eq_expr_value(cx, expr1, expr2_negated) {
538             return Some((true, expr1));
539         }
540     }
541     None
542 }
543
544 fn check_custom_abs(cx: &LateContext<'_>, expr: &Expr<'_>) {
545     if_chain! {
546         if let Some(higher::If { cond, then, r#else: Some(r#else) }) = higher::If::hir(expr);
547         let if_body_expr = peel_blocks(then);
548         let else_body_expr = peel_blocks(r#else);
549         if let Some((if_expr_positive, body)) = are_negated(cx, if_body_expr, else_body_expr);
550         then {
551             let positive_abs_sugg = (
552                 "manual implementation of `abs` method",
553                 format!("{}.abs()", Sugg::hir(cx, body, "..")),
554             );
555             let negative_abs_sugg = (
556                 "manual implementation of negation of `abs` method",
557                 format!("-{}.abs()", Sugg::hir(cx, body, "..")),
558             );
559             let sugg = if is_testing_positive(cx, cond, body) {
560                 if if_expr_positive {
561                     positive_abs_sugg
562                 } else {
563                     negative_abs_sugg
564                 }
565             } else if is_testing_negative(cx, cond, body) {
566                 if if_expr_positive {
567                     negative_abs_sugg
568                 } else {
569                     positive_abs_sugg
570                 }
571             } else {
572                 return;
573             };
574             span_lint_and_sugg(
575                 cx,
576                 SUBOPTIMAL_FLOPS,
577                 expr.span,
578                 sugg.0,
579                 "try",
580                 sugg.1,
581                 Applicability::MachineApplicable,
582             );
583         }
584     }
585 }
586
587 fn are_same_base_logs(cx: &LateContext<'_>, expr_a: &Expr<'_>, expr_b: &Expr<'_>) -> bool {
588     if_chain! {
589         if let ExprKind::MethodCall(PathSegment { ident: method_name_a, .. }, args_a, _) = expr_a.kind;
590         if let ExprKind::MethodCall(PathSegment { ident: method_name_b, .. }, args_b, _) = expr_b.kind;
591         then {
592             return method_name_a.as_str() == method_name_b.as_str() &&
593                 args_a.len() == args_b.len() &&
594                 (
595                     ["ln", "log2", "log10"].contains(&method_name_a.as_str()) ||
596                     method_name_a.as_str() == "log" && args_a.len() == 2 && eq_expr_value(cx, &args_a[1], &args_b[1])
597                 );
598         }
599     }
600
601     false
602 }
603
604 fn check_log_division(cx: &LateContext<'_>, expr: &Expr<'_>) {
605     // check if expression of the form x.logN() / y.logN()
606     if_chain! {
607         if let ExprKind::Binary(
608             Spanned {
609                 node: BinOpKind::Div, ..
610             },
611             lhs,
612             rhs,
613         ) = &expr.kind;
614         if are_same_base_logs(cx, lhs, rhs);
615         if let ExprKind::MethodCall(_, [largs_self, ..], _) = &lhs.kind;
616         if let ExprKind::MethodCall(_, [rargs_self, ..], _) = &rhs.kind;
617         then {
618             span_lint_and_sugg(
619                 cx,
620                 SUBOPTIMAL_FLOPS,
621                 expr.span,
622                 "log base can be expressed more clearly",
623                 "consider using",
624                 format!("{}.log({})", Sugg::hir(cx, largs_self, ".."), Sugg::hir(cx, rargs_self, ".."),),
625                 Applicability::MachineApplicable,
626             );
627         }
628     }
629 }
630
631 fn check_radians(cx: &LateContext<'_>, expr: &Expr<'_>) {
632     if_chain! {
633         if let ExprKind::Binary(
634             Spanned {
635                 node: BinOpKind::Div, ..
636             },
637             div_lhs,
638             div_rhs,
639         ) = &expr.kind;
640         if let ExprKind::Binary(
641             Spanned {
642                 node: BinOpKind::Mul, ..
643             },
644             mul_lhs,
645             mul_rhs,
646         ) = &div_lhs.kind;
647         if let Some((rvalue, _)) = constant(cx, cx.typeck_results(), div_rhs);
648         if let Some((lvalue, _)) = constant(cx, cx.typeck_results(), mul_rhs);
649         then {
650             // TODO: also check for constant values near PI/180 or 180/PI
651             if (F32(f32_consts::PI) == rvalue || F64(f64_consts::PI) == rvalue) &&
652                (F32(180_f32) == lvalue || F64(180_f64) == lvalue)
653             {
654                 let mut proposal = format!("{}.to_degrees()", Sugg::hir(cx, mul_lhs, ".."));
655                 if_chain! {
656                     if let ExprKind::Lit(ref literal) = mul_lhs.kind;
657                     if let ast::LitKind::Float(ref value, float_type) = literal.node;
658                     if float_type == ast::LitFloatType::Unsuffixed;
659                     then {
660                         if value.as_str().ends_with('.') {
661                             proposal = format!("{}0_f64.to_degrees()", Sugg::hir(cx, mul_lhs, ".."));
662                         } else {
663                             proposal = format!("{}_f64.to_degrees()", Sugg::hir(cx, mul_lhs, ".."));
664                         }
665                     }
666                 }
667                 span_lint_and_sugg(
668                     cx,
669                     SUBOPTIMAL_FLOPS,
670                     expr.span,
671                     "conversion to degrees can be done more accurately",
672                     "consider using",
673                     proposal,
674                     Applicability::MachineApplicable,
675                 );
676             } else if
677                 (F32(180_f32) == rvalue || F64(180_f64) == rvalue) &&
678                 (F32(f32_consts::PI) == lvalue || F64(f64_consts::PI) == lvalue)
679             {
680                 let mut proposal = format!("{}.to_radians()", Sugg::hir(cx, mul_lhs, ".."));
681                 if_chain! {
682                     if let ExprKind::Lit(ref literal) = mul_lhs.kind;
683                     if let ast::LitKind::Float(ref value, float_type) = literal.node;
684                     if float_type == ast::LitFloatType::Unsuffixed;
685                     then {
686                         if value.as_str().ends_with('.') {
687                             proposal = format!("{}0_f64.to_radians()", Sugg::hir(cx, mul_lhs, ".."));
688                         } else {
689                             proposal = format!("{}_f64.to_radians()", Sugg::hir(cx, mul_lhs, ".."));
690                         }
691                     }
692                 }
693                 span_lint_and_sugg(
694                     cx,
695                     SUBOPTIMAL_FLOPS,
696                     expr.span,
697                     "conversion to radians can be done more accurately",
698                     "consider using",
699                     proposal,
700                     Applicability::MachineApplicable,
701                 );
702             }
703         }
704     }
705 }
706
707 impl<'tcx> LateLintPass<'tcx> for FloatingPointArithmetic {
708     fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
709         // All of these operations are currently not const.
710         if in_constant(cx, expr.hir_id) {
711             return;
712         }
713
714         if let ExprKind::MethodCall(path, args, _) = &expr.kind {
715             let recv_ty = cx.typeck_results().expr_ty(&args[0]);
716
717             if recv_ty.is_floating_point() {
718                 match path.ident.name.as_str() {
719                     "ln" => check_ln1p(cx, expr, args),
720                     "log" => check_log_base(cx, expr, args),
721                     "powf" => check_powf(cx, expr, args),
722                     "powi" => check_powi(cx, expr, args),
723                     "sqrt" => check_hypot(cx, expr, args),
724                     _ => {},
725                 }
726             }
727         } else {
728             check_expm1(cx, expr);
729             check_mul_add(cx, expr);
730             check_custom_abs(cx, expr);
731             check_log_division(cx, expr);
732             check_radians(cx, expr);
733         }
734     }
735 }