将结构 Vector 映射到 Rust 中结构的另一个 Vec 而无需克隆

Map a Vec of structures to another Vec of structure in Rust without cloning

我使用的库具有以下结构:

struct KeyValue1 {
    key: Vec<u8>,
    value: Vec<u8>,
}

fn get() -> Vec<KeyValue1> { /* ... */ }

我需要将此向量转换为具有以下结构的几乎相似的向量:

struct KeyValue2 {
    key: Vec<u8>,
    value: Vec<u8>,
}

为了能够从一个向量转换为另一个向量,我目前使用以下代码:

let convertedItems = items.iter().map(|kv| -> KeyValue2{
  key: key.clone(),
  value: value.clone()
}).collect()

虽然这可行,但它克隆了两个载体,效率低下。我不再需要原始的 items 向量,所以我想将所有权从 KeyValue1 转移到 KeyValue2,但我还没有找到方法来做到这一点。

如果在转换后不需要它,请在 items 向量上使用 into_iter() 而不是 iter()

struct KeyValue1 {
    key: Vec<u8>,
    value: Vec<u8>,
}

struct KeyValue2 {
    key: Vec<u8>,
    value: Vec<u8>,
}

fn map_key_values(items: Vec<KeyValue1>) -> Vec<KeyValue2> {
    items
        .into_iter()
        .map(|kv| KeyValue2 {
            key: kv.key,
            value: kv.value,
        })
        .collect()
}

playground