]> git.proxmox.com Git - rustc.git/blob - src/tools/clippy/clippy_lints/src/minmax.rs
New upstream version 1.60.0+dfsg1
[rustc.git] / src / tools / clippy / clippy_lints / src / minmax.rs
1 use clippy_utils::consts::{constant_simple, Constant};
2 use clippy_utils::diagnostics::span_lint;
3 use clippy_utils::{match_def_path, match_trait_method, paths};
4 use if_chain::if_chain;
5 use rustc_hir::{Expr, ExprKind};
6 use rustc_lint::{LateContext, LateLintPass};
7 use rustc_session::{declare_lint_pass, declare_tool_lint};
8 use std::cmp::Ordering;
9
10 declare_clippy_lint! {
11 /// ### What it does
12 /// Checks for expressions where `std::cmp::min` and `max` are
13 /// used to clamp values, but switched so that the result is constant.
14 ///
15 /// ### Why is this bad?
16 /// This is in all probability not the intended outcome. At
17 /// the least it hurts readability of the code.
18 ///
19 /// ### Example
20 /// ```ignore
21 /// min(0, max(100, x))
22 /// ```
23 /// or
24 /// ```ignore
25 /// x.max(100).min(0)
26 /// ```
27 /// It will always be equal to `0`. Probably the author meant to clamp the value
28 /// between 0 and 100, but has erroneously swapped `min` and `max`.
29 #[clippy::version = "pre 1.29.0"]
30 pub MIN_MAX,
31 correctness,
32 "`min(_, max(_, _))` (or vice versa) with bounds clamping the result to a constant"
33 }
34
35 declare_lint_pass!(MinMaxPass => [MIN_MAX]);
36
37 impl<'tcx> LateLintPass<'tcx> for MinMaxPass {
38 fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
39 if let Some((outer_max, outer_c, oe)) = min_max(cx, expr) {
40 if let Some((inner_max, inner_c, ie)) = min_max(cx, oe) {
41 if outer_max == inner_max {
42 return;
43 }
44 match (
45 outer_max,
46 Constant::partial_cmp(cx.tcx, cx.typeck_results().expr_ty(ie), &outer_c, &inner_c),
47 ) {
48 (_, None) | (MinMax::Max, Some(Ordering::Less)) | (MinMax::Min, Some(Ordering::Greater)) => (),
49 _ => {
50 span_lint(
51 cx,
52 MIN_MAX,
53 expr.span,
54 "this `min`/`max` combination leads to constant result",
55 );
56 },
57 }
58 }
59 }
60 }
61 }
62
63 #[derive(PartialEq, Eq, Debug, Clone, Copy)]
64 enum MinMax {
65 Min,
66 Max,
67 }
68
69 fn min_max<'a>(cx: &LateContext<'_>, expr: &'a Expr<'a>) -> Option<(MinMax, Constant, &'a Expr<'a>)> {
70 match expr.kind {
71 ExprKind::Call(path, args) => {
72 if let ExprKind::Path(ref qpath) = path.kind {
73 cx.typeck_results()
74 .qpath_res(qpath, path.hir_id)
75 .opt_def_id()
76 .and_then(|def_id| {
77 if match_def_path(cx, def_id, &paths::CMP_MIN) {
78 fetch_const(cx, args, MinMax::Min)
79 } else if match_def_path(cx, def_id, &paths::CMP_MAX) {
80 fetch_const(cx, args, MinMax::Max)
81 } else {
82 None
83 }
84 })
85 } else {
86 None
87 }
88 },
89 ExprKind::MethodCall(path, args, _) => {
90 if_chain! {
91 if let [obj, _] = args;
92 if cx.typeck_results().expr_ty(obj).is_floating_point() || match_trait_method(cx, expr, &paths::ORD);
93 then {
94 if path.ident.name == sym!(max) {
95 fetch_const(cx, args, MinMax::Max)
96 } else if path.ident.name == sym!(min) {
97 fetch_const(cx, args, MinMax::Min)
98 } else {
99 None
100 }
101 } else {
102 None
103 }
104 }
105 },
106 _ => None,
107 }
108 }
109
110 fn fetch_const<'a>(cx: &LateContext<'_>, args: &'a [Expr<'a>], m: MinMax) -> Option<(MinMax, Constant, &'a Expr<'a>)> {
111 if args.len() != 2 {
112 return None;
113 }
114 constant_simple(cx, cx.typeck_results(), &args[0]).map_or_else(
115 || constant_simple(cx, cx.typeck_results(), &args[1]).map(|c| (m, c, &args[0])),
116 |c| {
117 if constant_simple(cx, cx.typeck_results(), &args[1]).is_none() {
118 // otherwise ignore
119 Some((m, c, &args[1]))
120 } else {
121 None
122 }
123 },
124 )
125 }