我想做以下事情:
- 查找
Vec
某个密钥,然后将其存储以备后用。 - 如果它不存在,请
Vec
为密钥创建一个空白,但仍将其保留在变量中。
如何有效地做到这一点?自然,我以为我可以使用match
:
use std::collections::HashMap;
// This code doesn't compile.
let mut map = HashMap::new();
let key = "foo";
let values: &Vec<isize> = match map.get(key) {
Some(v) => v,
None => {
let default: Vec<isize> = Vec::new();
map.insert(key, default);
&default
}
};
当我尝试它时,它给了我类似以下错误:
error[E0502]: cannot borrow `map` as mutable because it is also borrowed as immutable
--> src/main.rs:11:13
|
7 | let values: &Vec<isize> = match map.get(key) {
| --- immutable borrow occurs here
...
11 | map.insert(key, default);
| ^^^ mutable borrow occurs here
...
15 | }
| - immutable borrow ends here
我最终做了这样的事情,但是我不喜欢它执行两次查找(map.contains_key
和map.get
)的事实:
// This code does compile.
let mut map = HashMap::new();
let key = "foo";
if !map.contains_key(key) {
let default: Vec<isize> = Vec::new();
map.insert(key, default);
}
let values: &Vec<isize> = match map.get(key) {
Some(v) => v,
None => {
panic!("impossiburu!");
}
};
有没有一种安全的方法可以做到这一点match
?