Вы можете chain
ваших итераторов:
fn main() {
let a = vec![1, 2, 3];
let b = vec![4, 5, 6];
// Don't consume the original vectors and clone the items:
let ab: Vec<_> = a.iter().chain(&b).cloned().collect();
// Consume the original vectors. The items do not need to be cloneable:
let ba: Vec<_> = b.into_iter().chain(a).collect();
assert_eq!(ab, [1, 2, 3, 4, 5, 6]);
assert_eq!(ba, [4, 5, 6, 1, 2, 3]);
}
Обратите внимание, что итератор знает количество элементов, которые он выдает, так что collect
может непосредственно выделить необходимый объем памяти:
fn main() {
let a = vec![1, 2, 3];
let b = vec![4, 5, 6];
let ba = b.into_iter().chain(a);
assert_eq!(ba.size_hint(), (6, Some(6)));
let ba: Vec<_> = ba.collect();
assert_eq!(ba, [4, 5, 6, 1, 2, 3]);
}