Skip to content

Commit 631d9a2

Browse files
authored
Add lint for calling Iterator::last() on DoubleEndedIterator (#13922)
I [recently realized that `.last()` might not call `next_back()` when it is available](https://qsantos.fr/2025/01/01/rust-gotcha-last-on-doubleendediterator/). Although the implementor could make sure to implement `last()` to do so, this is not what will happen by default. As a result, I think it is useful to add a lint to promote using `.next_back()` over `.last()` on `DoubleEndedIterator`. If this is merged, we might want to close #1822. changelog: [`double_ended_iterator_last`]: Add lint for calling `Iterator::last()` on `DoubleEndedIterator`
2 parents 034f3d2 + d67c00f commit 631d9a2

15 files changed

+231
-26
lines changed

CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -5493,6 +5493,7 @@ Released 2018-09-13
54935493
[`doc_markdown`]: https://rust-lang.github.io/rust-clippy/master/index.html#doc_markdown
54945494
[`doc_nested_refdefs`]: https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
54955495
[`double_comparisons`]: https://rust-lang.github.io/rust-clippy/master/index.html#double_comparisons
5496+
[`double_ended_iterator_last`]: https://rust-lang.github.io/rust-clippy/master/index.html#double_ended_iterator_last
54965497
[`double_must_use`]: https://rust-lang.github.io/rust-clippy/master/index.html#double_must_use
54975498
[`double_neg`]: https://rust-lang.github.io/rust-clippy/master/index.html#double_neg
54985499
[`double_parens`]: https://rust-lang.github.io/rust-clippy/master/index.html#double_parens

clippy_lints/src/attrs/mixed_attributes_style.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -66,7 +66,7 @@ pub(super) fn check(cx: &EarlyContext<'_>, item_span: Span, attrs: &[Attribute])
6666

6767
fn lint_mixed_attrs(cx: &EarlyContext<'_>, attrs: &[Attribute]) {
6868
let mut attrs_iter = attrs.iter().filter(|attr| !attr.span.from_expansion());
69-
let span = if let (Some(first), Some(last)) = (attrs_iter.next(), attrs_iter.last()) {
69+
let span = if let (Some(first), Some(last)) = (attrs_iter.next(), attrs_iter.next_back()) {
7070
first.span.with_hi(last.span.hi())
7171
} else {
7272
return;

clippy_lints/src/declared_lints.rs

+1
Original file line numberDiff line numberDiff line change
@@ -372,6 +372,7 @@ pub static LINTS: &[&crate::LintInfo] = &[
372372
crate::methods::CLONE_ON_REF_PTR_INFO,
373373
crate::methods::COLLAPSIBLE_STR_REPLACE_INFO,
374374
crate::methods::CONST_IS_EMPTY_INFO,
375+
crate::methods::DOUBLE_ENDED_ITERATOR_LAST_INFO,
375376
crate::methods::DRAIN_COLLECT_INFO,
376377
crate::methods::ERR_EXPECT_INFO,
377378
crate::methods::EXPECT_FUN_CALL_INFO,
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,41 @@
1+
use clippy_utils::diagnostics::span_lint_and_sugg;
2+
use clippy_utils::is_trait_method;
3+
use clippy_utils::ty::implements_trait;
4+
use rustc_errors::Applicability;
5+
use rustc_hir::Expr;
6+
use rustc_lint::LateContext;
7+
use rustc_middle::ty::Instance;
8+
use rustc_span::{Span, sym};
9+
10+
use super::DOUBLE_ENDED_ITERATOR_LAST;
11+
12+
pub(super) fn check(cx: &LateContext<'_>, expr: &'_ Expr<'_>, self_expr: &'_ Expr<'_>, call_span: Span) {
13+
let typeck = cx.typeck_results();
14+
15+
// if the "last" method is that of Iterator
16+
if is_trait_method(cx, expr, sym::Iterator)
17+
// if self implements DoubleEndedIterator
18+
&& let Some(deiter_id) = cx.tcx.get_diagnostic_item(sym::DoubleEndedIterator)
19+
&& let self_type = cx.typeck_results().expr_ty(self_expr)
20+
&& implements_trait(cx, self_type.peel_refs(), deiter_id, &[])
21+
// resolve the method definition
22+
&& let id = typeck.type_dependent_def_id(expr.hir_id).unwrap()
23+
&& let args = typeck.node_args(expr.hir_id)
24+
&& let Ok(Some(fn_def)) = Instance::try_resolve(cx.tcx, cx.typing_env(), id, args)
25+
// find the provided definition of Iterator::last
26+
&& let Some(item) = cx.tcx.get_diagnostic_item(sym::Iterator)
27+
&& let Some(last_def) = cx.tcx.provided_trait_methods(item).find(|m| m.name.as_str() == "last")
28+
// if the resolved method is the same as the provided definition
29+
&& fn_def.def_id() == last_def.def_id
30+
{
31+
span_lint_and_sugg(
32+
cx,
33+
DOUBLE_ENDED_ITERATOR_LAST,
34+
call_span,
35+
"called `Iterator::last` on a `DoubleEndedIterator`; this will needlessly iterate the entire iterator",
36+
"try",
37+
"next_back()".to_string(),
38+
Applicability::MachineApplicable,
39+
);
40+
}
41+
}

clippy_lints/src/methods/mod.rs

+29
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ mod clone_on_copy;
1414
mod clone_on_ref_ptr;
1515
mod cloned_instead_of_copied;
1616
mod collapsible_str_replace;
17+
mod double_ended_iterator_last;
1718
mod drain_collect;
1819
mod err_expect;
1920
mod expect_fun_call;
@@ -4284,6 +4285,32 @@ declare_clippy_lint! {
42844285
"map of a trivial closure (not dependent on parameter) over a range"
42854286
}
42864287

4288+
declare_clippy_lint! {
4289+
/// ### What it does
4290+
///
4291+
/// Checks for `Iterator::last` being called on a `DoubleEndedIterator`, which can be replaced
4292+
/// with `DoubleEndedIterator::next_back`.
4293+
///
4294+
/// ### Why is this bad?
4295+
///
4296+
/// `Iterator::last` is implemented by consuming the iterator, which is unnecessary if
4297+
/// the iterator is a `DoubleEndedIterator`. Since Rust traits do not allow specialization,
4298+
/// `Iterator::last` cannot be optimized for `DoubleEndedIterator`.
4299+
///
4300+
/// ### Example
4301+
/// ```no_run
4302+
/// let last_arg = "echo hello world".split(' ').last();
4303+
/// ```
4304+
/// Use instead:
4305+
/// ```no_run
4306+
/// let last_arg = "echo hello world".split(' ').next_back();
4307+
/// ```
4308+
#[clippy::version = "1.85.0"]
4309+
pub DOUBLE_ENDED_ITERATOR_LAST,
4310+
perf,
4311+
"using `Iterator::last` on a `DoubleEndedIterator`"
4312+
}
4313+
42874314
pub struct Methods {
42884315
avoid_breaking_exported_api: bool,
42894316
msrv: Msrv,
@@ -4449,6 +4476,7 @@ impl_lint_pass!(Methods => [
44494476
MAP_ALL_ANY_IDENTITY,
44504477
MAP_WITH_UNUSED_ARGUMENT_OVER_RANGES,
44514478
UNNECESSARY_MAP_OR,
4479+
DOUBLE_ENDED_ITERATOR_LAST,
44524480
]);
44534481

44544482
/// Extracts a method call name, args, and `Span` of the method name.
@@ -4931,6 +4959,7 @@ impl Methods {
49314959
false,
49324960
);
49334961
}
4962+
double_ended_iterator_last::check(cx, expr, recv, call_span);
49344963
},
49354964
("len", []) => {
49364965
if let Some(("as_bytes", prev_recv, [], _, _)) = method_call(recv) {

clippy_utils/src/msrvs.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -130,7 +130,7 @@ impl Msrv {
130130
let mut msrv_attrs = attrs.iter().filter(|attr| attr.path_matches(&[sym::clippy, sym_msrv]));
131131

132132
if let Some(msrv_attr) = msrv_attrs.next() {
133-
if let Some(duplicate) = msrv_attrs.last() {
133+
if let Some(duplicate) = msrv_attrs.next_back() {
134134
sess.dcx()
135135
.struct_span_err(duplicate.span(), "`clippy::msrv` is defined multiple times")
136136
.with_span_note(msrv_attr.span(), "first definition found here")
+53
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,53 @@
1+
#![warn(clippy::double_ended_iterator_last)]
2+
3+
// Typical case
4+
pub fn last_arg(s: &str) -> Option<&str> {
5+
s.split(' ').next_back()
6+
}
7+
8+
fn main() {
9+
// General case
10+
struct DeIterator;
11+
impl Iterator for DeIterator {
12+
type Item = ();
13+
fn next(&mut self) -> Option<Self::Item> {
14+
Some(())
15+
}
16+
}
17+
impl DoubleEndedIterator for DeIterator {
18+
fn next_back(&mut self) -> Option<Self::Item> {
19+
Some(())
20+
}
21+
}
22+
let _ = DeIterator.next_back();
23+
// Should not apply to other methods of Iterator
24+
let _ = DeIterator.count();
25+
26+
// Should not apply to simple iterators
27+
struct SimpleIterator;
28+
impl Iterator for SimpleIterator {
29+
type Item = ();
30+
fn next(&mut self) -> Option<Self::Item> {
31+
Some(())
32+
}
33+
}
34+
let _ = SimpleIterator.last();
35+
36+
// Should not apply to custom implementations of last()
37+
struct CustomLast;
38+
impl Iterator for CustomLast {
39+
type Item = ();
40+
fn next(&mut self) -> Option<Self::Item> {
41+
Some(())
42+
}
43+
fn last(self) -> Option<Self::Item> {
44+
Some(())
45+
}
46+
}
47+
impl DoubleEndedIterator for CustomLast {
48+
fn next_back(&mut self) -> Option<Self::Item> {
49+
Some(())
50+
}
51+
}
52+
let _ = CustomLast.last();
53+
}
+53
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,53 @@
1+
#![warn(clippy::double_ended_iterator_last)]
2+
3+
// Typical case
4+
pub fn last_arg(s: &str) -> Option<&str> {
5+
s.split(' ').last()
6+
}
7+
8+
fn main() {
9+
// General case
10+
struct DeIterator;
11+
impl Iterator for DeIterator {
12+
type Item = ();
13+
fn next(&mut self) -> Option<Self::Item> {
14+
Some(())
15+
}
16+
}
17+
impl DoubleEndedIterator for DeIterator {
18+
fn next_back(&mut self) -> Option<Self::Item> {
19+
Some(())
20+
}
21+
}
22+
let _ = DeIterator.last();
23+
// Should not apply to other methods of Iterator
24+
let _ = DeIterator.count();
25+
26+
// Should not apply to simple iterators
27+
struct SimpleIterator;
28+
impl Iterator for SimpleIterator {
29+
type Item = ();
30+
fn next(&mut self) -> Option<Self::Item> {
31+
Some(())
32+
}
33+
}
34+
let _ = SimpleIterator.last();
35+
36+
// Should not apply to custom implementations of last()
37+
struct CustomLast;
38+
impl Iterator for CustomLast {
39+
type Item = ();
40+
fn next(&mut self) -> Option<Self::Item> {
41+
Some(())
42+
}
43+
fn last(self) -> Option<Self::Item> {
44+
Some(())
45+
}
46+
}
47+
impl DoubleEndedIterator for CustomLast {
48+
fn next_back(&mut self) -> Option<Self::Item> {
49+
Some(())
50+
}
51+
}
52+
let _ = CustomLast.last();
53+
}
+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
error: called `Iterator::last` on a `DoubleEndedIterator`; this will needlessly iterate the entire iterator
2+
--> tests/ui/double_ended_iterator_last.rs:5:18
3+
|
4+
LL | s.split(' ').last()
5+
| ^^^^^^ help: try: `next_back()`
6+
|
7+
= note: `-D clippy::double-ended-iterator-last` implied by `-D warnings`
8+
= help: to override `-D warnings` add `#[allow(clippy::double_ended_iterator_last)]`
9+
10+
error: called `Iterator::last` on a `DoubleEndedIterator`; this will needlessly iterate the entire iterator
11+
--> tests/ui/double_ended_iterator_last.rs:22:24
12+
|
13+
LL | let _ = DeIterator.last();
14+
| ^^^^^^ help: try: `next_back()`
15+
16+
error: aborting due to 2 previous errors
17+

tests/ui/infinite_iter.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
#![allow(clippy::uninlined_format_args)]
1+
#![allow(clippy::uninlined_format_args, clippy::double_ended_iterator_last)]
22

33
use std::iter::repeat;
44
fn square_is_lower_64(x: &u32) -> bool {

tests/ui/iter_overeager_cloned.fixed

+6-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,10 @@
11
#![warn(clippy::iter_overeager_cloned, clippy::redundant_clone, clippy::filter_next)]
2-
#![allow(dead_code, clippy::let_unit_value, clippy::useless_vec)]
2+
#![allow(
3+
dead_code,
4+
clippy::let_unit_value,
5+
clippy::useless_vec,
6+
clippy::double_ended_iterator_last
7+
)]
38

49
fn main() {
510
let vec = vec!["1".to_string(), "2".to_string(), "3".to_string()];

tests/ui/iter_overeager_cloned.rs

+6-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,10 @@
11
#![warn(clippy::iter_overeager_cloned, clippy::redundant_clone, clippy::filter_next)]
2-
#![allow(dead_code, clippy::let_unit_value, clippy::useless_vec)]
2+
#![allow(
3+
dead_code,
4+
clippy::let_unit_value,
5+
clippy::useless_vec,
6+
clippy::double_ended_iterator_last
7+
)]
38

49
fn main() {
510
let vec = vec!["1".to_string(), "2".to_string(), "3".to_string()];

0 commit comments

Comments
 (0)