支持 String 和 &str 的 Hashmap

Jim*_*Chu 3 copy-on-write rust borrowing run-time-polymorphism

如何定义一个 HashMap 在其键和内容中都支持String&str?我尝试了以下方法:

fn mapping<T: Into<String>>() -> HashMap<T, T> {
  let mut map: HashMap<T, T> = HashMap::new();
  map.insert("first_name", "MyFirstName");
  map.insert("last_name".to_string(), "MyLastName".to_string());
  map
}

fn main() {
  let mut mapping = mapping();
}
Run Code Online (Sandbox Code Playgroud)

但它不编译,说:

error[E0599]: no method named `insert` found for type `std::collections::HashMap<T, T>` in the current scope
error[E0277]: the trait bound `T: std::cmp::Eq` is not satisfied
error[E0277]: the trait bound `T: std::hash::Hash` is not satisfied
Run Code Online (Sandbox Code Playgroud)

Pet*_*all 5

抽象数据是借用还是拥有的内置方法是Cow

use std::borrow::Cow;
use std::collections::HashMap;

fn mapping() -> HashMap<Cow<'static, str>, Cow<'static, str>> {
    let mut map = HashMap::new();
    map.insert("first_name".into(), "MyFirstName".into());
    map.insert("last_name".to_string().into(), "MyLastName".to_string().into());
    map
}
Run Code Online (Sandbox Code Playgroud)

&strString可以转换为Cow<str>using .into()