I defined an Attribute
type and I have a Vec<Attribute>
that I am looping over to retrieve the "best" one. This was similar to my first attempt:
#[derive(Debug)]
struct Attribute;
impl Attribute {
fn new() -> Self {
Self
}
}
fn example(attrs: Vec<Attribute>, root: &mut Attribute) {
let mut best_attr = &Attribute::new();
for a in attrs.iter() {
if is_best(a) {
best_attr = a;
}
}
*root = *best_attr;
}
// simplified for example
fn is_best(_: &Attribute) -> bool {
true
}
I had the following compile error:
error[E0507]: cannot move out of borrowed content
--> src/lib.rs:17:13
|
17 | *root = *best_attr;
| ^^^^^^^^^^ cannot move out of borrowed content
After some searching for a solution, I resolved the error by doing the following:
- Adding a
#[derive(Clone)]
attribute to myAttribute
struct - Replacing the final statement with
*root = best_attr.clone();
I don't fully understand why this works, and I feel like this is a rough solution to the problem I was having. How does this resolve the error, and is this the correct way to solve this problem?
You are experiencing the basis of the Rust memory model:
Copy
)Take this code for example:
it generates the error:
x
, of typeString
, is not implicitly copyable, and thus has been moved intoy
.x
cannot be used any longer.In your code, when you write
*root = *best_attr
, you are first dereferencing the referencebest_attr
, then assigning the dereferenced value to*root
. YourAttribute
type is notCopy
, thus this assignment should be a move.Then, the compiler complains:
Indeed,
best_attr
is an immutable reference, which does not allow you to take ownership of the value behind it (it doesn't even allow modifying it). Allowing such a move would put the object owning the value behind the reference in an undefined state, which is exactly what Rust aims to prevent.In this case, your best option is indeed to create a new object with the same value as the first one, which is exactly what the trait
Clone
is made for.#[derive(Clone)]
allows you to mark your structs asClone
-able, as long as all of their fields areClone
. In more complex cases, you'll have to implement the trait by hand.