Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
30 commits
Select commit Hold shift + click to select a range
3d3d2be
Add lint to suggest as_chunks over chunks_exact with constant
rommeld Nov 1, 2025
4a4c955
Fix pass value instead of reference
rommeld Nov 1, 2025
d332ec5
Switched to symbols instead of using strings
rommeld Nov 1, 2025
610acda
Added suggestions and changes from review
rommeld Nov 4, 2025
632e37b
Updated CHANGELOG.md via
rommeld Nov 4, 2025
bc1d010
Reduced error message verbosity
rommeld Nov 4, 2025
1d99b91
Added check for types that can be adjusted as slices
rommeld Nov 4, 2025
2731771
Moved Rust version check and removed
rommeld Nov 4, 2025
7082eef
Added lint suggestion
rommeld Nov 7, 2025
dc9fa9d
Reduced highlighting to method call for better understanding
rommeld Nov 7, 2025
afaf92b
Moved method to lints which handle methods whose receivers and argume…
rommeld Nov 7, 2025
dfd8065
Changed suggestion to return iterator instead of tuple
rommeld Nov 7, 2025
3cfa99a
Moved version check after cheaper checks is slice and constant evalua…
rommeld Nov 7, 2025
94181ab
Changed suggestion to just consider method call
rommeld Nov 7, 2025
370d0ae
Changed linting suggestion span_lint_and_then to span_lint_and_sugg
rommeld Nov 8, 2025
24798af
Added skipping multi-line test from cargo dev fmt
rommeld Nov 8, 2025
5e05b1d
Improved lint by only suggesting fix when method not stored in variable
rommeld Nov 8, 2025
ae2cb12
Fixed missing curly brakets
rommeld Nov 8, 2025
43a7a72
Deleted comment from lint declaration
rommeld Nov 8, 2025
64aae82
Moved unfixable tests to separate file because ui_test otherwise woul…
rommeld Nov 8, 2025
83e0039
Swapped plain with so help function is visually attached to method
rommeld Nov 8, 2025
1e276d7
Fixed wrongly replaced comment in lint declaration
rommeld Nov 8, 2025
c50ccf8
Fixed one last typo in the lint declaration comment
rommeld Nov 8, 2025
3876101
Fix type check to require signle slice reference
rommeld Nov 29, 2025
4c5a8f6
Fix unused import for ty
rommeld Nov 29, 2025
c970717
remove not needed comments
rommeld Nov 30, 2025
21f02ba
Add tests for direct iteration and for array coercing to slice reference
rommeld Nov 30, 2025
e509232
Replace eval with is_const_evaluatable to reduce overhead during linting
rommeld Nov 30, 2025
75e8019
Only suggest .iter() when chunks_exact is not in a for loop
rommeld Nov 30, 2025
219eca3
Refact suggestion logic and make it more conservative and implement s…
rommeld Nov 30, 2025
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -6252,6 +6252,7 @@ Released 2018-09-13
[`chars_last_cmp`]: https://rust-lang.github.io/rust-clippy/master/index.html#chars_last_cmp
[`chars_next_cmp`]: https://rust-lang.github.io/rust-clippy/master/index.html#chars_next_cmp
[`checked_conversions`]: https://rust-lang.github.io/rust-clippy/master/index.html#checked_conversions
[`chunks_exact_with_const_size`]: https://rust-lang.github.io/rust-clippy/master/index.html#chunks_exact_with_const_size
[`clear_with_drain`]: https://rust-lang.github.io/rust-clippy/master/index.html#clear_with_drain
[`clone_double_ref`]: https://rust-lang.github.io/rust-clippy/master/index.html#clone_double_ref
[`clone_on_copy`]: https://rust-lang.github.io/rust-clippy/master/index.html#clone_on_copy
Expand Down
1 change: 1 addition & 0 deletions clippy_lints/src/declared_lints.rs
Original file line number Diff line number Diff line change
Expand Up @@ -352,6 +352,7 @@ pub static LINTS: &[&::declare_clippy_lint::LintInfo] = &[
crate::methods::CASE_SENSITIVE_FILE_EXTENSION_COMPARISONS_INFO,
crate::methods::CHARS_LAST_CMP_INFO,
crate::methods::CHARS_NEXT_CMP_INFO,
crate::methods::CHUNKS_EXACT_WITH_CONST_SIZE_INFO,
crate::methods::CLEAR_WITH_DRAIN_INFO,
crate::methods::CLONED_INSTEAD_OF_COPIED_INFO,
crate::methods::CLONE_ON_COPY_INFO,
Expand Down
110 changes: 110 additions & 0 deletions clippy_lints/src/methods/chunks_exact_with_const_size.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,110 @@
use super::CHUNKS_EXACT_WITH_CONST_SIZE;
use clippy_utils::diagnostics::span_lint_and_then;
use clippy_utils::higher::ForLoop;
use clippy_utils::msrvs::{self, Msrv};
use clippy_utils::source::snippet_with_context;
use clippy_utils::visitors::is_const_evaluatable;
use clippy_utils::{expr_use_ctxt, get_parent_expr, sym};
use rustc_errors::Applicability;
use rustc_hir::{Expr, ExprKind, Node, PatKind};
use rustc_lint::LateContext;
use rustc_middle::ty;
use rustc_span::{Span, Symbol};

pub(super) fn check<'tcx>(
cx: &LateContext<'tcx>,
recv: &'tcx Expr<'tcx>,
arg: &'tcx Expr<'tcx>,
expr: &'tcx Expr<'tcx>,
call_span: Span,
method_name: Symbol,
msrv: Msrv,
) {
let recv_ty = cx.typeck_results().expr_ty_adjusted(recv);
if !matches!(recv_ty.kind(), ty::Ref(_, inner, _) if inner.is_slice()) {
return;
}

if is_const_evaluatable(cx, arg) {
if !msrv.meets(cx, msrvs::AS_CHUNKS) {
return;
}

let suggestion_method = if method_name == sym::chunks_exact_mut {
"as_chunks_mut"
} else {
"as_chunks"
};

let mut applicability = Applicability::MachineApplicable;
let arg_str = snippet_with_context(cx, arg.span, expr.span.ctxt(), "_", &mut applicability).0;

let as_chunks = format_args!("{suggestion_method}::<{arg_str}>()");

span_lint_and_then(
cx,
CHUNKS_EXACT_WITH_CONST_SIZE,
call_span,
format!("using `{method_name}` with a constant chunk size"),
|diag| {
let use_ctxt = expr_use_ctxt(cx, expr);

let in_for_loop = {
let mut cur_expr = expr;
loop {
if let Some(parent_expr) = get_parent_expr(cx, cur_expr) {
if let Some(for_loop) = ForLoop::hir(parent_expr)
&& for_loop.arg.hir_id == expr.hir_id
{
break true;
}
cur_expr = parent_expr;
} else {
break false;
}
}
};

let is_iterator_method = if let Node::Expr(parent_expr) = use_ctxt.node
&& let ExprKind::MethodCall(_, receiver, _, _) = parent_expr.kind
&& receiver.hir_id == use_ctxt.child_id
&& let Some(method_did) = cx.typeck_results().type_dependent_def_id(parent_expr.hir_id)
&& let Some(trait_did) = cx.tcx.trait_of_assoc(method_did)
{
matches!(
cx.tcx.get_diagnostic_name(trait_did),
Some(sym::Iterator | sym::IntoIterator)
)
} else {
false
};

if in_for_loop {
diag.span_suggestion(
call_span,
"consider using `as_chunks` instead",
format!("{as_chunks}.0"),
applicability,
);
} else if is_iterator_method {
diag.span_suggestion(
call_span,
"consider using `as_chunks` instead",
format!("{as_chunks}.0.iter()"),
applicability,
);
} else {
diag.span_help(call_span, format!("consider using `{as_chunks}` instead"));

if let Node::LetStmt(let_stmt) = use_ctxt.node
&& let PatKind::Binding(_, _, ident, _) = let_stmt.pat.kind
{
diag.note(format!(
"you can access the chunks using `{ident}.0.iter()`, and the remainder using `{ident}.1`"
));
}
}
Comment on lines +50 to +106
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This can be simplified quite a bit:

if let Node::Expr(use_expr) = use_ctxt.node {
  match use_expr.kind {
    ExprKind::Call(_, [recv]) | ExprKind::MethodCall(_, recv, [], _)
        if recv.hir_id == use_ctxt.child_id
            && matches!(
                use_expr.span.ctxt().outer_expn_data().kind,
                ExpnKind::Desugaring(DesugaringKind::ForLoop),
            ) =>
    {
        // Suggest `.0``
        return;
    },
    ExprKind::MethodCall(_, recv, ..)
        if recv.hir_id == use_ctxt.child_id
            && use_expr.ty_based_def(cx).assoc_fn_parent(cx).is_diag_item(cx, sym::Iterator) =>
    {
        // Suggest `.0.iter()`
        return;
    },
    _ => {},
  }
}

// Fallback suggestion

You'll also need to avoid linting on use_ctxt.is_ty_unified since that will just be a type error.

},
);
}
}
31 changes: 31 additions & 0 deletions clippy_lints/src/methods/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@ mod chars_last_cmp;
mod chars_last_cmp_with_unwrap;
mod chars_next_cmp;
mod chars_next_cmp_with_unwrap;
mod chunks_exact_with_const_size;
mod clear_with_drain;
mod clone_on_copy;
mod clone_on_ref_ptr;
Expand Down Expand Up @@ -2087,6 +2088,32 @@ declare_clippy_lint! {
"replace `.bytes().nth()` with `.as_bytes().get()`"
}

declare_clippy_lint! {
/// ### What it does
/// Checks for usage of `chunks_exact` or `chunks_exact_mut` with a constant chunk size.
///
/// ### Why is this bad?
/// `as_chunks` provides better ergonomics and type safety by returning arrays instead of slices.
/// It was stabilized in Rust 1.88.
///
/// ### Example
/// ```no_run
/// let slice = [1, 2, 3, 4, 5, 6];
/// let mut it = slice.chunks_exact(2);
/// for chunk in it {}
/// ```
/// Use instead:
/// ```no_run
/// let slice = [1, 2, 3, 4, 5, 6];
/// let (chunks, remainder) = slice.as_chunks::<2>();
/// for chunk in chunks {}
/// ```
#[clippy::version = "1.93.0"]
pub CHUNKS_EXACT_WITH_CONST_SIZE,
style,
"using `chunks_exact` with constant when `as_chunks` is more ergonomic"
}

declare_clippy_lint! {
/// ### What it does
/// Checks for the usage of `_.to_owned()`, `vec.to_vec()`, or similar when calling `_.clone()` would be clearer.
Expand Down Expand Up @@ -4787,6 +4814,7 @@ impl_lint_pass!(Methods => [
ITER_NTH,
ITER_NTH_ZERO,
BYTES_NTH,
CHUNKS_EXACT_WITH_CONST_SIZE,
ITER_SKIP_NEXT,
GET_UNWRAP,
GET_LAST_WITH_LEN,
Expand Down Expand Up @@ -5043,6 +5071,9 @@ impl Methods {
_ => {},
}
},
(name @ (sym::chunks_exact | sym::chunks_exact_mut), [arg]) => {
chunks_exact_with_const_size::check(cx, recv, arg, expr, call_span, name, self.msrv);
},
(sym::and_then, [arg]) => {
let biom_option_linted = bind_instead_of_map::check_and_then_some(cx, expr, recv, arg);
let biom_result_linted = bind_instead_of_map::check_and_then_ok(cx, expr, recv, arg);
Expand Down
2 changes: 1 addition & 1 deletion clippy_utils/src/msrvs.rs
Original file line number Diff line number Diff line change
Expand Up @@ -23,7 +23,7 @@ macro_rules! msrv_aliases {

// names may refer to stabilized feature flags or library items
msrv_aliases! {
1,88,0 { LET_CHAINS }
1,88,0 { LET_CHAINS, AS_CHUNKS }
1,87,0 { OS_STR_DISPLAY, INT_MIDPOINT, CONST_CHAR_IS_DIGIT, UNSIGNED_IS_MULTIPLE_OF, INTEGER_SIGN_CAST }
1,85,0 { UINT_FLOAT_MIDPOINT, CONST_SIZE_OF_VAL }
1,84,0 { CONST_OPTION_AS_SLICE, MANUAL_DANGLING_PTR }
Expand Down
2 changes: 2 additions & 0 deletions clippy_utils/src/sym.rs
Original file line number Diff line number Diff line change
Expand Up @@ -111,6 +111,8 @@ generate! {
checked_pow,
checked_rem_euclid,
checked_sub,
chunks_exact,
chunks_exact_mut,
clamp,
clippy_utils,
clone_into,
Expand Down
45 changes: 45 additions & 0 deletions tests/ui/chunks_exact_with_const_size.fixed
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
#![warn(clippy::chunks_exact_with_const_size)]
#![allow(unused)]

fn main() {
let slice = [1, 2, 3, 4, 5, 6, 7, 8];

// Should NOT trigger - runtime value
let size = 4;
let mut it = slice.chunks_exact(size);
for chunk in it {}

// Should trigger - direct iteration without binding (gets suggestion)
for chunk in slice.as_chunks::<4>().0 {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - direct iteration with const
const CHUNK_SIZE: usize = 4;
for chunk in slice.as_chunks::<CHUNK_SIZE>().0 {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - chunks_exact_mut with direct iteration (gets suggestion without .iter())
let mut arr = [1, 2, 3, 4, 5, 6, 7, 8];
for chunk in arr.as_chunks_mut::<4>().0 {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - used with iterator method (not for loop, so needs .iter())
let _: Vec<_> = slice.as_chunks::<4>().0.iter().collect();
//~^ chunks_exact_with_const_size

// Should NOT trigger - macro-expanded sizes are not recognized as const by is_const_evaluatable
macro_rules! chunk_size {
() => {
4
};
}
for chunk in slice.chunks_exact(chunk_size!()) {
let _ = chunk;
}
}
45 changes: 45 additions & 0 deletions tests/ui/chunks_exact_with_const_size.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
#![warn(clippy::chunks_exact_with_const_size)]
#![allow(unused)]

fn main() {
let slice = [1, 2, 3, 4, 5, 6, 7, 8];

// Should NOT trigger - runtime value
let size = 4;
let mut it = slice.chunks_exact(size);
for chunk in it {}

// Should trigger - direct iteration without binding (gets suggestion)
for chunk in slice.chunks_exact(4) {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - direct iteration with const
const CHUNK_SIZE: usize = 4;
for chunk in slice.chunks_exact(CHUNK_SIZE) {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - chunks_exact_mut with direct iteration (gets suggestion without .iter())
let mut arr = [1, 2, 3, 4, 5, 6, 7, 8];
for chunk in arr.chunks_exact_mut(4) {
//~^ chunks_exact_with_const_size
let _ = chunk;
}

// Should trigger - used with iterator method (not for loop, so needs .iter())
let _: Vec<_> = slice.chunks_exact(4).collect();
//~^ chunks_exact_with_const_size

// Should NOT trigger - macro-expanded sizes are not recognized as const by is_const_evaluatable
macro_rules! chunk_size {
() => {
4
};
}
for chunk in slice.chunks_exact(chunk_size!()) {
let _ = chunk;
}
}
29 changes: 29 additions & 0 deletions tests/ui/chunks_exact_with_const_size.stderr
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
error: using `chunks_exact` with a constant chunk size
--> tests/ui/chunks_exact_with_const_size.rs:13:24
|
LL | for chunk in slice.chunks_exact(4) {
| ^^^^^^^^^^^^^^^ help: consider using `as_chunks` instead: `as_chunks::<4>().0`
|
= note: `-D clippy::chunks-exact-with-const-size` implied by `-D warnings`
= help: to override `-D warnings` add `#[allow(clippy::chunks_exact_with_const_size)]`

error: using `chunks_exact` with a constant chunk size
--> tests/ui/chunks_exact_with_const_size.rs:20:24
|
LL | for chunk in slice.chunks_exact(CHUNK_SIZE) {
| ^^^^^^^^^^^^^^^^^^^^^^^^ help: consider using `as_chunks` instead: `as_chunks::<CHUNK_SIZE>().0`

error: using `chunks_exact_mut` with a constant chunk size
--> tests/ui/chunks_exact_with_const_size.rs:27:22
|
LL | for chunk in arr.chunks_exact_mut(4) {
| ^^^^^^^^^^^^^^^^^^^ help: consider using `as_chunks` instead: `as_chunks_mut::<4>().0`

error: using `chunks_exact` with a constant chunk size
--> tests/ui/chunks_exact_with_const_size.rs:33:27
|
LL | let _: Vec<_> = slice.chunks_exact(4).collect();
| ^^^^^^^^^^^^^^^ help: consider using `as_chunks` instead: `as_chunks::<4>().0.iter()`

error: aborting due to 4 previous errors

52 changes: 52 additions & 0 deletions tests/ui/chunks_exact_with_const_size_unfixable.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
#![warn(clippy::chunks_exact_with_const_size)]
#![allow(unused)]
#![allow(clippy::iter_cloned_collect)]

fn main() {
let slice = [1, 2, 3, 4, 5, 6, 7, 8];
const CHUNK_SIZE: usize = 4;

// Should trigger lint - literal constant (stored in let binding, so help not suggestion)
let result = slice.chunks_exact(4);
//~^ chunks_exact_with_const_size

// Should trigger lint - const value
let result = slice.chunks_exact(CHUNK_SIZE);
//~^ chunks_exact_with_const_size

// Should trigger lint - simple iteration
let result = slice.chunks_exact(3);
//~^ chunks_exact_with_const_size

// Should trigger - mutable variant
let mut arr = [1, 2, 3, 4, 5, 6, 7, 8];
let result = arr.chunks_exact_mut(4);
//~^ chunks_exact_with_const_size

// Should trigger - multiline expression
#[rustfmt::skip]
let result = slice
.iter()
.copied()
.collect::<Vec<_>>()
.chunks_exact(2);
//~^ chunks_exact_with_const_size

// Should trigger - array coerces to slice reference
let array = [1, 2, 3, 4, 5, 6, 7, 8];
let result = array.chunks_exact(4);
//~^ chunks_exact_with_const_size

// Should trigger lint with help message only (not suggestion) - stored in variable
let mut chunk_iter = slice.chunks_exact(CHUNK_SIZE);
//~^ chunks_exact_with_const_size
for chunk in chunk_iter.by_ref() {}
let _remainder = chunk_iter.remainder();

// Similar for mutable version - help message only
let mut arr2 = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
let mut chunk_iter = arr2.chunks_exact_mut(CHUNK_SIZE);
//~^ chunks_exact_with_const_size
for chunk in chunk_iter.by_ref() {}
let _remainder = chunk_iter.into_remainder();
}
Loading