Reputation: 1826
How to clone the last element from a mutable vector and then push a value to the vector in Rust?
fn ElementsFromPoint(&self, ...) -> Vec<Root<Element>> {
let mut elements: Vec<Root<Element>> = self.elements_from_point(point).iter()
.map(|&untrusted_node_addr| {...}).collect();
let last_element = elements.last().clone().unwrap(); // elements.last() is Option<&Root<Element>>
if let Some(root_element) = self.GetDocumentElement() { //self.GetDocumentElement() is Option<Root<Element>>
if *last_element != root_element {
elements.push(root_element);
}
}
elements
}
The errors are
2620:17: 2620:25 error: cannot borrow `elements` as mutable because it is also borrowed as immutable [E0502]
2620 elements.push(root_element);
^~~~~~~~
2617:28: 2617:36 note: previous borrow of `elements` occurs here; the immutable borrow prevents subsequent moves or mutable borrows of `elements` until the borrow ends
2617 let last_element = elements.last().clone().unwrap();
^~~~~~~~
2626:6: 2626:6 note: previous borrow ends here
2590 fn ElementsFromPoint(&self, x: Finite<f64>, y: Finite<f64>) -> Vec<Root<Element>> {
...
2626 }
^
2625:9: 2625:17 error: cannot move out of `elements` because it is borrowed [E0505]
2625 elements
^~~~~~~~
2617:28: 2617:36 note: borrow of `elements` occurs here
2617 let last_element = elements.last().clone().unwrap();
I've read this and tried
let last_element = elements.last().unwrap().clone();
and also
let last_element = elements.last().map(|t| t.clone()).unwrap();
but still failed.
Also .cloned()
isn't implemented for Root<T>
yet.
Is there a way to clone the last element from a mutable vector and then push a value to the vector in Rust? Or should I implement the Cloned
trait first?
Upvotes: 2
Views: 309
Reputation: 237
Try this
fn ElementsFromPoint(&self, ...) -> Vec<Root<Element>> {
let mut elements: Vec<Root<Element>> = self.elements_from_point(point).iter()
.map(|&untrusted_node_addr| {...}).collect();
if let Some(root_element) = self.GetDocumentElement() {
if {
match elements.last() {
Some(last_element) => *last_element != root_element,
None => true
}
} {
elements.push(root_element);
}
}
elements
}
Upvotes: 3