散列表 HashMap

vector 通过整型下标来存储值,而 HashMap(散列表)通过键(key)来存储 值。HashMap 的键可以是布尔型、整型、字符串,或任意实现了 EqHash trait 的其他类型。在下一节将进一步介绍。

和 vector 类似,HashMap 也是可增长的,但 HashMap 在占据了多余空间时还可以缩小 自己。可以使用 HashMap::with_capacity(unit) 创建具有一定初始容量的 HashMap,也 可以使用 HashMap::new() 来获得一个带有默认初始容量的 HashMap(这是推荐方式)。

  1. use std::collections::HashMap;
  2. fn call(number: &str) -> &str {
  3. match number {
  4. "798-1364" => "We're sorry, the call cannot be completed as dialed.
  5. Please hang up and try again.",
  6. "645-7689" => "Hello, this is Mr. Awesome's Pizza. My name is Fred.
  7. What can I get for you today?",
  8. _ => "Hi! Who is this again?"
  9. }
  10. }
  11. fn main() {
  12. let mut contacts = HashMap::new();
  13. contacts.insert("Daniel", "798-1364");
  14. contacts.insert("Ashley", "645-7689");
  15. contacts.insert("Katie", "435-8291");
  16. contacts.insert("Robert", "956-1745");
  17. // 接受一个引用并返回 Option<&V>
  18. match contacts.get(&"Daniel") {
  19. Some(&number) => println!("Calling Daniel: {}", call(number)),
  20. _ => println!("Don't have Daniel's number."),
  21. }
  22. // 如果被插入的值为新内容,那么 `HashMap::insert()` 返回 `None`,
  23. // 否则返回 `Some(value)`
  24. contacts.insert("Daniel", "164-6743");
  25. match contacts.get(&"Ashley") {
  26. Some(&number) => println!("Calling Ashley: {}", call(number)),
  27. _ => println!("Don't have Ashley's number."),
  28. }
  29. contacts.remove(&("Ashley"));
  30. // `HashMap::iter()` 返回一个迭代器,该迭代器以任意顺序举出
  31. // (&'a key, &'a value) 对。
  32. for (contact, &number) in contacts.iter() {
  33. println!("Calling {}: {}", contact, call(number));
  34. }
  35. }

想要了解更多关于散列(hash)与散列表(hash map)(有时也称作 hash table)的 工作原理,可以查看 Wikipedia 的散列表词条。