我尝试使用HashMap<String, &Trait>
,但我收到了一条我不明白的错误消息。这是代码(playground):
use std::collections::HashMap;
trait Trait {}
struct Struct;
impl Trait for Struct {}
fn main() {
let mut map: HashMap<String, &Trait> = HashMap::new();
let s = Struct;
map.insert("key".to_string(), &s);
}
这是我得到的错误:
error[E0597]: `s` does not live long enough
--> src/main.rs:12:36
|
12 | map.insert("key".to_string(), &s);
| ^ borrowed value does not live long enough
13 | }
| - `s` dropped here while still borrowed
|
= note: values in a scope are dropped in the opposite order they are created
这里发生了什么?有解决方法吗?
答案 0 :(得分:9)
此问题已通过non-lexical lifetimes解决,并且不应该是Rust 2018以后的问题。以下答案适用于使用旧版Rust的人。
map
比s
更长,所以在map
生命的某个时刻(就在破坏之前),s
将无效。这可以通过改变它们的构造顺序来解决,从而解决这个问题:
let s = Struct;
let mut map: HashMap<String, &Trait> = HashMap::new();
map.insert("key".to_string(), &s);
如果您希望HashMap
拥有引用,请使用拥有的指针:
let mut map: HashMap<String, Box<Trait>> = HashMap::new();
let s = Struct;
map.insert("key".to_string(), Box::new(s));