RS.CLIPPY.RC_CLONE_IN_VEC_INIT
Initializing reference-counted pointer in `vec![elem; len]`
This checker is a Clippy lint created by The Rust Project Contributors. The documentation shown here is a copy of the original documentation for: rc_clone_in_vec_init. Copyright ©2025 The Rust Team. All rights reserved.
What it does
Checks for reference-counted pointers (Arc, Rc, rc::Weak, and sync::Weak)
in vec![elem; len]
Why is this bad?
This will create elem once and clone it len times - doing so with Arc/Rc/Weak
is a bit misleading, as it will create references to the same pointer, rather
than different instances.
Example
let v = vec![std::sync::Arc::new("some data".to_string()); 100];
// or
let v = vec![std::rc::Rc::new("some data".to_string()); 100];
Use instead:
// Initialize each value separately:
let mut data = Vec::with_capacity(100);
for _ in 0..100 {
data.push(std::rc::Rc::new("some data".to_string()));
}
// Or if you want clones of the same reference,
// Create the reference beforehand to clarify that
// it should be cloned for each value
let data = std::rc::Rc::new("some data".to_string());
let v = vec![data; 100];