Skip to content

Commit 5ac76ac

Browse files
committed
Auto merge of #11597 - y21:repeat_vec_with_capacity, r=dswij
new lint: `repeat_vec_with_capacity` Closes #11537 [Lint description](https://github.com/y21/rust-clippy/blob/repeat_vec_with_capacity/clippy_lints/src/repeat_vec_with_capacity.rs#L14) should explain this PR :) changelog: new lint: `repeat_vec_with_capacity`
2 parents f0cdee4 + 76eb781 commit 5ac76ac

7 files changed

+234
-0
lines changed

CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -5462,6 +5462,7 @@ Released 2018-09-13
54625462
[`ref_patterns`]: https://rust-lang.github.io/rust-clippy/master/index.html#ref_patterns
54635463
[`regex_macro`]: https://rust-lang.github.io/rust-clippy/master/index.html#regex_macro
54645464
[`repeat_once`]: https://rust-lang.github.io/rust-clippy/master/index.html#repeat_once
5465+
[`repeat_vec_with_capacity`]: https://rust-lang.github.io/rust-clippy/master/index.html#repeat_vec_with_capacity
54655466
[`replace_consts`]: https://rust-lang.github.io/rust-clippy/master/index.html#replace_consts
54665467
[`reserve_after_initialization`]: https://rust-lang.github.io/rust-clippy/master/index.html#reserve_after_initialization
54675468
[`rest_pat_in_fully_bound_structs`]: https://rust-lang.github.io/rust-clippy/master/index.html#rest_pat_in_fully_bound_structs

clippy_lints/src/declared_lints.rs

+1
Original file line numberDiff line numberDiff line change
@@ -598,6 +598,7 @@ pub(crate) static LINTS: &[&crate::LintInfo] = &[
598598
crate::reference::DEREF_ADDROF_INFO,
599599
crate::regex::INVALID_REGEX_INFO,
600600
crate::regex::TRIVIAL_REGEX_INFO,
601+
crate::repeat_vec_with_capacity::REPEAT_VEC_WITH_CAPACITY_INFO,
601602
crate::reserve_after_initialization::RESERVE_AFTER_INITIALIZATION_INFO,
602603
crate::return_self_not_must_use::RETURN_SELF_NOT_MUST_USE_INFO,
603604
crate::returns::LET_AND_RETURN_INFO,

clippy_lints/src/lib.rs

+2
Original file line numberDiff line numberDiff line change
@@ -289,6 +289,7 @@ mod ref_option_ref;
289289
mod ref_patterns;
290290
mod reference;
291291
mod regex;
292+
mod repeat_vec_with_capacity;
292293
mod reserve_after_initialization;
293294
mod return_self_not_must_use;
294295
mod returns;
@@ -1069,6 +1070,7 @@ pub fn register_lints(store: &mut rustc_lint::LintStore, conf: &'static Conf) {
10691070
store.register_late_pass(|_| Box::new(iter_without_into_iter::IterWithoutIntoIter));
10701071
store.register_late_pass(|_| Box::new(iter_over_hash_type::IterOverHashType));
10711072
store.register_late_pass(|_| Box::new(impl_hash_with_borrow_str_and_bytes::ImplHashWithBorrowStrBytes));
1073+
store.register_late_pass(|_| Box::new(repeat_vec_with_capacity::RepeatVecWithCapacity));
10721074
// add lints here, do not remove this comment, it's used in `new_lint`
10731075
}
10741076

Original file line numberDiff line numberDiff line change
@@ -0,0 +1,114 @@
1+
use clippy_utils::consts::{constant, Constant};
2+
use clippy_utils::diagnostics::span_lint_and_then;
3+
use clippy_utils::higher::VecArgs;
4+
use clippy_utils::macros::root_macro_call;
5+
use clippy_utils::source::snippet;
6+
use clippy_utils::{expr_or_init, fn_def_id, match_def_path, paths};
7+
use rustc_errors::Applicability;
8+
use rustc_hir::{Expr, ExprKind};
9+
use rustc_lint::{LateContext, LateLintPass};
10+
use rustc_session::declare_lint_pass;
11+
use rustc_span::{sym, Span};
12+
13+
declare_clippy_lint! {
14+
/// ### What it does
15+
/// Looks for patterns such as `vec![Vec::with_capacity(x); n]` or `iter::repeat(Vec::with_capacity(x))`.
16+
///
17+
/// ### Why is this bad?
18+
/// These constructs work by cloning the element, but cloning a `Vec<_>` does not
19+
/// respect the old vector's capacity and effectively discards it.
20+
///
21+
/// This makes `iter::repeat(Vec::with_capacity(x))` especially suspicious because the user most certainly
22+
/// expected that the yielded `Vec<_>` will have the requested capacity, otherwise one can simply write
23+
/// `iter::repeat(Vec::new())` instead and it will have the same effect.
24+
///
25+
/// Similarly for `vec![x; n]`, the element `x` is cloned to fill the vec.
26+
/// Unlike `iter::repeat` however, the vec repeat macro does not have to clone the value `n` times
27+
/// but just `n - 1` times, because it can reuse the passed value for the last slot.
28+
/// That means that the last `Vec<_>` gets the requested capacity but all other ones do not.
29+
///
30+
/// ### Example
31+
/// ```rust
32+
/// # use std::iter;
33+
///
34+
/// let _: Vec<Vec<u8>> = vec![Vec::with_capacity(42); 123];
35+
/// let _: Vec<Vec<u8>> = iter::repeat(Vec::with_capacity(42)).take(123).collect();
36+
/// ```
37+
/// Use instead:
38+
/// ```rust
39+
/// # use std::iter;
40+
///
41+
/// let _: Vec<Vec<u8>> = iter::repeat_with(|| Vec::with_capacity(42)).take(123).collect();
42+
/// // ^^^ this closure executes 123 times
43+
/// // and the vecs will have the expected capacity
44+
/// ```
45+
#[clippy::version = "1.74.0"]
46+
pub REPEAT_VEC_WITH_CAPACITY,
47+
suspicious,
48+
"repeating a `Vec::with_capacity` expression which does not retain capacity"
49+
}
50+
51+
declare_lint_pass!(RepeatVecWithCapacity => [REPEAT_VEC_WITH_CAPACITY]);
52+
53+
fn emit_lint(cx: &LateContext<'_>, span: Span, kind: &str, note: &'static str, sugg_msg: &'static str, sugg: String) {
54+
span_lint_and_then(
55+
cx,
56+
REPEAT_VEC_WITH_CAPACITY,
57+
span,
58+
&format!("repeating `Vec::with_capacity` using `{kind}`, which does not retain capacity"),
59+
|diag| {
60+
diag.note(note);
61+
diag.span_suggestion_verbose(span, sugg_msg, sugg, Applicability::MaybeIncorrect);
62+
},
63+
);
64+
}
65+
66+
/// Checks `vec![Vec::with_capacity(x); n]`
67+
fn check_vec_macro(cx: &LateContext<'_>, expr: &Expr<'_>) {
68+
if let Some(mac_call) = root_macro_call(expr.span)
69+
&& cx.tcx.is_diagnostic_item(sym::vec_macro, mac_call.def_id)
70+
&& let Some(VecArgs::Repeat(repeat_expr, len_expr)) = VecArgs::hir(cx, expr)
71+
&& fn_def_id(cx, repeat_expr).is_some_and(|did| match_def_path(cx, did, &paths::VEC_WITH_CAPACITY))
72+
&& !len_expr.span.from_expansion()
73+
&& let Some(Constant::Int(2..)) = constant(cx, cx.typeck_results(), expr_or_init(cx, len_expr))
74+
{
75+
emit_lint(
76+
cx,
77+
expr.span.source_callsite(),
78+
"vec![x; n]",
79+
"only the last `Vec` will have the capacity",
80+
"if you intended to initialize multiple `Vec`s with an initial capacity, try",
81+
format!(
82+
"(0..{}).map(|_| {}).collect::<Vec<_>>()",
83+
snippet(cx, len_expr.span, ""),
84+
snippet(cx, repeat_expr.span, "..")
85+
),
86+
);
87+
}
88+
}
89+
90+
/// Checks `iter::repeat(Vec::with_capacity(x))`
91+
fn check_repeat_fn(cx: &LateContext<'_>, expr: &Expr<'_>) {
92+
if !expr.span.from_expansion()
93+
&& fn_def_id(cx, expr).is_some_and(|did| cx.tcx.is_diagnostic_item(sym::iter_repeat, did))
94+
&& let ExprKind::Call(_, [repeat_expr]) = expr.kind
95+
&& fn_def_id(cx, repeat_expr).is_some_and(|did| match_def_path(cx, did, &paths::VEC_WITH_CAPACITY))
96+
&& !repeat_expr.span.from_expansion()
97+
{
98+
emit_lint(
99+
cx,
100+
expr.span,
101+
"iter::repeat",
102+
"none of the yielded `Vec`s will have the requested capacity",
103+
"if you intended to create an iterator that yields `Vec`s with an initial capacity, try",
104+
format!("std::iter::repeat_with(|| {})", snippet(cx, repeat_expr.span, "..")),
105+
);
106+
}
107+
}
108+
109+
impl LateLintPass<'_> for RepeatVecWithCapacity {
110+
fn check_expr(&mut self, cx: &LateContext<'_>, expr: &Expr<'_>) {
111+
check_vec_macro(cx, expr);
112+
check_repeat_fn(cx, expr);
113+
}
114+
}
+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
#![warn(clippy::repeat_vec_with_capacity)]
2+
3+
fn main() {
4+
{
5+
(0..123).map(|_| Vec::<()>::with_capacity(42)).collect::<Vec<_>>();
6+
//~^ ERROR: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
7+
}
8+
9+
{
10+
let n = 123;
11+
(0..n).map(|_| Vec::<()>::with_capacity(42)).collect::<Vec<_>>();
12+
//~^ ERROR: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
13+
}
14+
15+
{
16+
macro_rules! from_macro {
17+
($x:expr) => {
18+
vec![$x; 123];
19+
};
20+
}
21+
// vec expansion is from another macro, don't lint
22+
from_macro!(Vec::<()>::with_capacity(42));
23+
}
24+
25+
{
26+
std::iter::repeat_with(|| Vec::<()>::with_capacity(42));
27+
//~^ ERROR: repeating `Vec::with_capacity` using `iter::repeat`, which does not retain capacity
28+
}
29+
30+
{
31+
macro_rules! from_macro {
32+
($x:expr) => {
33+
std::iter::repeat($x)
34+
};
35+
}
36+
from_macro!(Vec::<()>::with_capacity(42));
37+
}
38+
}

tests/ui/repeat_vec_with_capacity.rs

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
#![warn(clippy::repeat_vec_with_capacity)]
2+
3+
fn main() {
4+
{
5+
vec![Vec::<()>::with_capacity(42); 123];
6+
//~^ ERROR: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
7+
}
8+
9+
{
10+
let n = 123;
11+
vec![Vec::<()>::with_capacity(42); n];
12+
//~^ ERROR: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
13+
}
14+
15+
{
16+
macro_rules! from_macro {
17+
($x:expr) => {
18+
vec![$x; 123];
19+
};
20+
}
21+
// vec expansion is from another macro, don't lint
22+
from_macro!(Vec::<()>::with_capacity(42));
23+
}
24+
25+
{
26+
std::iter::repeat(Vec::<()>::with_capacity(42));
27+
//~^ ERROR: repeating `Vec::with_capacity` using `iter::repeat`, which does not retain capacity
28+
}
29+
30+
{
31+
macro_rules! from_macro {
32+
($x:expr) => {
33+
std::iter::repeat($x)
34+
};
35+
}
36+
from_macro!(Vec::<()>::with_capacity(42));
37+
}
38+
}
+40
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,40 @@
1+
error: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
2+
--> $DIR/repeat_vec_with_capacity.rs:5:9
3+
|
4+
LL | vec![Vec::<()>::with_capacity(42); 123];
5+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
6+
|
7+
= note: only the last `Vec` will have the capacity
8+
= note: `-D clippy::repeat-vec-with-capacity` implied by `-D warnings`
9+
= help: to override `-D warnings` add `#[allow(clippy::repeat_vec_with_capacity)]`
10+
help: if you intended to initialize multiple `Vec`s with an initial capacity, try
11+
|
12+
LL | (0..123).map(|_| Vec::<()>::with_capacity(42)).collect::<Vec<_>>();
13+
| ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
14+
15+
error: repeating `Vec::with_capacity` using `vec![x; n]`, which does not retain capacity
16+
--> $DIR/repeat_vec_with_capacity.rs:11:9
17+
|
18+
LL | vec![Vec::<()>::with_capacity(42); n];
19+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
20+
|
21+
= note: only the last `Vec` will have the capacity
22+
help: if you intended to initialize multiple `Vec`s with an initial capacity, try
23+
|
24+
LL | (0..n).map(|_| Vec::<()>::with_capacity(42)).collect::<Vec<_>>();
25+
| ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
26+
27+
error: repeating `Vec::with_capacity` using `iter::repeat`, which does not retain capacity
28+
--> $DIR/repeat_vec_with_capacity.rs:26:9
29+
|
30+
LL | std::iter::repeat(Vec::<()>::with_capacity(42));
31+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
32+
|
33+
= note: none of the yielded `Vec`s will have the requested capacity
34+
help: if you intended to create an iterator that yields `Vec`s with an initial capacity, try
35+
|
36+
LL | std::iter::repeat_with(|| Vec::<()>::with_capacity(42));
37+
| ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
38+
39+
error: aborting due to 3 previous errors
40+

0 commit comments

Comments
 (0)