我在使用以下代码时遇到困难:
trait HelloPhrase {
fn hello(&self, to: &'static str);
}
pub enum GetHelloResult<H: HelloPhrase> {
Matched(H),
NoMatch,
}
struct English;
impl English {
pub fn new() -> English {
English
}
}
impl HelloPhrase for English {
fn hello(&self, to: &'static str) {
println!("Hello {}.", to)
}
}
struct Phrases<H: HelloPhrase> {
hello_phrases: std::collections::HashMap<&'static str, H>,
}
impl<H: HelloPhrase> Phrases<H> {
pub fn new() -> Phrases<H> {
Phrases { hello_phrases: std::collections::HashMap::new() }
}
pub fn add_hello_phrase(&mut self, lang: &'static str, hello_phrase: H) {
self.hello_phrases.insert(lang, hello_phrase);
}
pub fn get_hello(&self, lang: &'static str) -> GetHelloResult<H> {
match self.hello_phrases.get(lang) {
Some(hello_phrase) => return GetHelloResult::Matched(hello_phrase),
_ => return GetHelloResult::NoMatch,
};
}
}
fn main() {
let mut hs = Phrases::new();
hs.add_hello_phrase("english", English::new());
match hs.get_hello("english") {
GetHelloResult::Matched(hello_phrase) => hello_phrase.hello("Tom"),
_ => println!("HelloPhrase not found"),
}
}
(播放链接)
HelloPhrase
是一种语言实现的特征,英语、俄语等。Phrases
是一个管理器结构,它可以有许多语言到短语的映射。这是一个人为的示例,但您可以将其视为事件管理器(即,获取 X 输入的事件处理程序),或 HTTP 处理程序和路由器。
话虽如此,我很难理解如何借用 a 的所有权将HelloPhrase
其归还给调用者。运行它,返回以下错误:
<anon>:40:66: 40:78 error: mismatched types:
expected `H`,
found `&H`
(expected type parameter,
found &-ptr) [E0308]
<anon>:40 Some(hello_phrase) => return GetHelloResult::Matched(hello_phrase),
^~~~~~~~~~~~
我试过添加:
pub fn get_hello(&self, lang: &'static str) -> GetHelloResult<&H> {
和
pub enum GetHelloResult<H: HelloPhrase> {
Matched(&H),
NoMatch,
}
(播放链接)
这会导致以下错误:
<anon>:7:13: 7:15 error: missing lifetime specifier [E0106]
<anon>:7 Matched(&H),
我在为枚举添加生命周期时遇到了麻烦——理论上我希望返回值的Phrases
生命周期是结构的生命周期——但到目前为止,生命周期语法对我来说相当混乱。总结为两个问题:
- 如何添加生命周期
GetHelloResult
来满足这个错误? - 基于 Rust 的所有权规则,我试图用 Rust 做一个反模式吗?对于这样的事情,什么可能是更好的设计?
根据文档,我知道如何在结构上使用生命周期,但我不知道如何为枚举添加生命周期(语法方面)。我只提到了结构生命周期,因为我认为这是一个缺失的部分,但老实说我不知道。此外,如果我向 struct 和 impl 添加生命周期并尝试将其添加到hello_phrases
地图中,我会收到错误消息
the parameter type `H` may not live long enough [E0309]