我有一个HashMap<_, String>
,我想为其获取键的对应值或返回默认字符串。最明显的方法是仅使用unwrap_or
,但这会因类型错误而失败:
error[E0308]: mismatched types
--> src/main.rs:11:44
|
11 | let val = hashmap.get(key).unwrap_or("default");
| ^^^^^^^^^ expected struct `std::string::String`, found str
|
= note: expected type `&std::string::String`
found type `&'static str
我可以使用if let Some(val) = hashmap.get(key) { val } else { "default" }
之类的表达式来解决此问题,但我想知道是否有更清洁的方法。
答案 0 :(得分:1)
问题似乎在于Rust不会自动对Option<&String>
执行Deref强制,因此您必须使用类似Option::map_or
的方式明确转换为&str
:
let val = hashmap.get("key").map_or("default", String::as_str);
虽然这是最直接的方法,但在此相关答案中还有其他几种替代Deref强制的方法:https://stackoverflow.com/a/31234028/1172350