练习:计数器

在本练习中,您将学习一个非常简单的数据结构,并将其变成泛型的。该结构使用 std::collections::HashMap 来跟踪已经出现过的值以及每个值出现的次数。

Counter 的初始版本经过硬编码,仅适用于 u32 值。使结构体及其方法可用于所跟踪的值类型,以便 Counter 能够跟踪任何类型的值。

如果提前完成操作,请尝试使用 entry 方法将哈希查找次数减半,从而实现 count 方法。

  1. use std::collections::HashMap;
  2. /// Counter counts the number of times each value of type T has been seen.
  3. struct Counter {
  4. values: HashMap<u32, u64>,
  5. }
  6. impl Counter {
  7. /// Create a new Counter.
  8. fn new() -> Self {
  9. Counter {
  10. values: HashMap::new(),
  11. }
  12. }
  13. /// Count an occurrence of the given value.
  14. fn count(&mut self, value: u32) {
  15. if self.values.contains_key(&value) {
  16. *self.values.get_mut(&value).unwrap() += 1;
  17. } else {
  18. self.values.insert(value, 1);
  19. }
  20. }
  21. /// Return the number of times the given value has been seen.
  22. fn times_seen(&self, value: u32) -> u64 {
  23. self.values.get(&value).copied().unwrap_or_default()
  24. }
  25. }
  26. fn main() {
  27. let mut ctr = Counter::new();
  28. ctr.count(13);
  29. ctr.count(14);
  30. ctr.count(16);
  31. ctr.count(14);
  32. ctr.count(14);
  33. ctr.count(11);
  34. for i in 10..20 {
  35. println!("saw {} values equal to {}", ctr.times_seen(i), i);
  36. }
  37. let mut strctr = Counter::new();
  38. strctr.count("apple");
  39. strctr.count("orange");
  40. strctr.count("apple");
  41. println!("got {} apples", strctr.times_seen("apple"));
  42. }