Skip to content

Commit 2f9f204

Browse files
feat: unnecessary_min_max lint
1 parent 4aee08f commit 2f9f204

11 files changed

+472
-94
lines changed

CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -5917,6 +5917,7 @@ Released 2018-09-13
59175917
[`unnecessary_lazy_evaluations`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_lazy_evaluations
59185918
[`unnecessary_literal_unwrap`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_literal_unwrap
59195919
[`unnecessary_map_on_constructor`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_map_on_constructor
5920+
[`unnecessary_min_or_max`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_min_or_max
59205921
[`unnecessary_mut_passed`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_mut_passed
59215922
[`unnecessary_operation`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_operation
59225923
[`unnecessary_owned_empty_strings`]: https://rust-lang.github.io/rust-clippy/master/index.html#unnecessary_owned_empty_strings

clippy_lints/src/declared_lints.rs

+1
Original file line numberDiff line numberDiff line change
@@ -471,6 +471,7 @@ pub(crate) static LINTS: &[&crate::LintInfo] = &[
471471
crate::methods::UNNECESSARY_JOIN_INFO,
472472
crate::methods::UNNECESSARY_LAZY_EVALUATIONS_INFO,
473473
crate::methods::UNNECESSARY_LITERAL_UNWRAP_INFO,
474+
crate::methods::UNNECESSARY_MIN_OR_MAX_INFO,
474475
crate::methods::UNNECESSARY_RESULT_MAP_OR_ELSE_INFO,
475476
crate::methods::UNNECESSARY_SORT_BY_INFO,
476477
crate::methods::UNNECESSARY_TO_OWNED_INFO,

clippy_lints/src/methods/mod.rs

+30
Original file line numberDiff line numberDiff line change
@@ -117,6 +117,7 @@ mod unnecessary_iter_cloned;
117117
mod unnecessary_join;
118118
mod unnecessary_lazy_eval;
119119
mod unnecessary_literal_unwrap;
120+
mod unnecessary_min_or_max;
120121
mod unnecessary_result_map_or_else;
121122
mod unnecessary_sort_by;
122123
mod unnecessary_to_owned;
@@ -3945,6 +3946,31 @@ declare_clippy_lint! {
39453946
"cloning an `Option` via `as_ref().cloned()`"
39463947
}
39473948

3949+
declare_clippy_lint! {
3950+
/// ### What it does
3951+
/// Checks for unnecessary calls to `min()` or `max()` in the following cases
3952+
/// - Either both side is constant
3953+
/// - One side is clearly larger than the other, like i32::MIN and an i32 variable
3954+
///
3955+
/// ### Why is this bad?
3956+
///
3957+
/// In the aformentioned cases it is not necessary to call `min()` or `max()`
3958+
/// to compare values, it may even cause confusion.
3959+
///
3960+
/// ### Example
3961+
/// ```no_run
3962+
/// let _ = 0.min(7_u32);
3963+
/// ```
3964+
/// Use instead:
3965+
/// ```no_run
3966+
/// let _ = 0;
3967+
/// ```
3968+
#[clippy::version = "1.78.0"]
3969+
pub UNNECESSARY_MIN_OR_MAX,
3970+
complexity,
3971+
"using 'min()/max()' when there is no need for it"
3972+
}
3973+
39483974
declare_clippy_lint! {
39493975
/// ### What it does
39503976
/// Checks for usage of `.map_or_else()` "map closure" for `Result` type.
@@ -4267,6 +4293,7 @@ impl_lint_pass!(Methods => [
42674293
UNNECESSARY_GET_THEN_CHECK,
42684294
NEEDLESS_CHARACTER_ITERATION,
42694295
MANUAL_INSPECT,
4296+
UNNECESSARY_MIN_OR_MAX,
42704297
]);
42714298

42724299
/// Extracts a method call name, args, and `Span` of the method name.
@@ -4566,6 +4593,9 @@ impl Methods {
45664593
Some(("bytes", recv2, [], _, _)) => bytes_count_to_len::check(cx, expr, recv, recv2),
45674594
_ => {},
45684595
},
4596+
("min" | "max", [arg]) => {
4597+
unnecessary_min_or_max::check(cx, expr, name, recv, arg);
4598+
},
45694599
("drain", ..) => {
45704600
if let Node::Stmt(Stmt { hir_id: _, kind, .. }) = cx.tcx.parent_hir_node(expr.hir_id)
45714601
&& matches!(kind, StmtKind::Semi(_))
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,90 @@
1+
use std::cmp::Ordering;
2+
3+
use super::UNNECESSARY_MIN_OR_MAX;
4+
use clippy_utils::diagnostics::span_lint_and_sugg;
5+
6+
use clippy_utils::consts::{constant, constant_with_source, Constant, ConstantSource, FullInt};
7+
use clippy_utils::source::snippet;
8+
9+
use rustc_errors::Applicability;
10+
use rustc_hir::Expr;
11+
use rustc_lint::LateContext;
12+
use rustc_middle::ty;
13+
use rustc_span::Span;
14+
15+
pub(super) fn check<'tcx>(
16+
cx: &LateContext<'tcx>,
17+
expr: &'tcx Expr<'_>,
18+
name: &str,
19+
recv: &'tcx Expr<'_>,
20+
arg: &'tcx Expr<'_>,
21+
) {
22+
let typeck_results = cx.typeck_results();
23+
if let Some((left, ConstantSource::Local | ConstantSource::CoreConstant)) =
24+
constant_with_source(cx, typeck_results, recv)
25+
&& let Some((right, ConstantSource::Local | ConstantSource::CoreConstant)) =
26+
constant_with_source(cx, typeck_results, arg)
27+
{
28+
let Some(ord) = Constant::partial_cmp(cx.tcx, typeck_results.expr_ty(recv), &left, &right) else {
29+
return;
30+
};
31+
32+
lint(cx, expr, name, recv.span, arg.span, ord);
33+
} else if let Some(extrema) = detect_extrema(cx, recv) {
34+
let ord = match extrema {
35+
Extrema::Minimum => Ordering::Less,
36+
Extrema::Maximum => Ordering::Greater,
37+
};
38+
lint(cx, expr, name, recv.span, arg.span, ord);
39+
} else if let Some(extrema) = detect_extrema(cx, arg) {
40+
let ord = match extrema {
41+
Extrema::Minimum => Ordering::Greater,
42+
Extrema::Maximum => Ordering::Less,
43+
};
44+
lint(cx, expr, name, recv.span, arg.span, ord);
45+
}
46+
}
47+
48+
fn lint(cx: &LateContext<'_>, expr: &Expr<'_>, name: &str, lhs: Span, rhs: Span, order: Ordering) {
49+
let cmp_str = if order.is_ge() { "smaller" } else { "greater" };
50+
51+
let suggested_value = if (name == "min" && order.is_ge()) || (name == "max" && order.is_le()) {
52+
snippet(cx, rhs, "..")
53+
} else {
54+
snippet(cx, lhs, "..")
55+
};
56+
57+
span_lint_and_sugg(
58+
cx,
59+
UNNECESSARY_MIN_OR_MAX,
60+
expr.span,
61+
format!(
62+
"`{}` is never {} than `{}` and has therefore no effect",
63+
snippet(cx, lhs, ".."),
64+
cmp_str,
65+
snippet(cx, rhs, "..")
66+
),
67+
"try",
68+
suggested_value.to_string(),
69+
Applicability::MachineApplicable,
70+
);
71+
}
72+
73+
#[derive(Debug)]
74+
enum Extrema {
75+
Minimum,
76+
Maximum,
77+
}
78+
fn detect_extrema<'tcx>(cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) -> Option<Extrema> {
79+
let ty = cx.typeck_results().expr_ty(expr);
80+
81+
let cv = constant(cx, cx.typeck_results(), expr)?;
82+
83+
match (cv.int_value(cx, ty)?, ty.kind()) {
84+
(FullInt::S(i), &ty::Int(ity)) if i == i128::MIN >> (128 - ity.bit_width()?) => Some(Extrema::Minimum),
85+
(FullInt::S(i), &ty::Int(ity)) if i == i128::MAX >> (128 - ity.bit_width()?) => Some(Extrema::Maximum),
86+
(FullInt::U(i), &ty::Uint(uty)) if i == u128::MAX >> (128 - uty.bit_width()?) => Some(Extrema::Maximum),
87+
(FullInt::U(0), &ty::Uint(_)) => Some(Extrema::Minimum),
88+
_ => None,
89+
}
90+
}

clippy_utils/src/consts.rs

+15-2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
#![allow(clippy::float_cmp)]
22

3+
use crate::macros::HirNode;
34
use crate::source::{get_source_text, walk_span_to_context};
45
use crate::{clip, is_direct_expn_of, sext, unsext};
56

@@ -15,7 +16,7 @@ use rustc_middle::ty::{self, EarlyBinder, FloatTy, GenericArgsRef, IntTy, List,
1516
use rustc_middle::{bug, mir, span_bug};
1617
use rustc_span::def_id::DefId;
1718
use rustc_span::symbol::{Ident, Symbol};
18-
use rustc_span::SyntaxContext;
19+
use rustc_span::{sym, SyntaxContext};
1920
use rustc_target::abi::Size;
2021
use std::cmp::Ordering;
2122
use std::hash::{Hash, Hasher};
@@ -302,6 +303,8 @@ pub enum ConstantSource {
302303
Local,
303304
/// The value is dependent on a defined constant.
304305
Constant,
306+
/// The value is dependent on a constant defined in `core` crate.
307+
CoreConstant,
305308
}
306309
impl ConstantSource {
307310
pub fn is_local(&self) -> bool {
@@ -415,9 +418,19 @@ impl<'a, 'tcx> ConstEvalLateContext<'a, 'tcx> {
415418
ExprKind::ConstBlock(ConstBlock { body, .. }) => self.expr(self.lcx.tcx.hir().body(body).value),
416419
ExprKind::DropTemps(e) => self.expr(e),
417420
ExprKind::Path(ref qpath) => {
421+
let is_core_crate = if let Some(def_id) = self.lcx.qpath_res(qpath, e.hir_id()).opt_def_id() {
422+
self.lcx.tcx.crate_name(def_id.krate) == sym::core
423+
} else {
424+
false
425+
};
418426
self.fetch_path_and_apply(qpath, e.hir_id, self.typeck_results.expr_ty(e), |this, result| {
419427
let result = mir_to_const(this.lcx, result)?;
420-
this.source = ConstantSource::Constant;
428+
// If source is already Constant we wouldn't want to override it with CoreConstant
429+
this.source = if is_core_crate && !matches!(this.source, ConstantSource::Constant) {
430+
ConstantSource::CoreConstant
431+
} else {
432+
ConstantSource::Constant
433+
};
421434
Some(result)
422435
})
423436
},

tests/ui/auxiliary/external_consts.rs

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
pub const MAGIC_NUMBER: i32 = 1;

tests/ui/cast.rs

+1
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,7 @@
1212
#![allow(
1313
clippy::cast_abs_to_unsigned,
1414
clippy::no_effect,
15+
clippy::unnecessary_min_or_max,
1516
clippy::unnecessary_operation,
1617
clippy::unnecessary_literal_unwrap,
1718
clippy::identity_op

0 commit comments

Comments
 (0)