-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathhash2-hashset.rs
38 lines (29 loc) · 1.13 KB
/
hash2-hashset.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
use std::collections::HashSet;
fn main() {
let mut a: HashSet<i32> = vec![1i32, 2, 3].into_iter().collect();
let mut b: HashSet<i32> = vec![2i32, 3, 4].into_iter().collect();
assert!(a.insert(4));
assert!(a.contains(&4));
// 如果值已经存在,那么 `HashSet::insert()` 返回 false。
assert!(b.insert(4), "Value 4 is already in set B!");
// 改正 ^ 将此行注释掉。
b.insert(5);
// 若一个集合(collection)的元素类型实现了 `Debug`,那么该集合也就实现了 `Debug`。
// 这通常将元素打印成这样的格式 `[elem1, elem2, ...]
println!("A: {:?}", a);
println!("B: {:?}", b);
// 乱序打印 [1, 2, 3, 4, 5]。
println!("Union: {:?}", a.union(&b).collect::<Vec<&i32>>());
// 这将会打印出 [1]
println!("Difference: {:?}", a.difference(&b).collect::<Vec<&i32>>());
// 乱序打印 [2, 3, 4]。
println!(
"Intersection: {:?}",
a.intersection(&b).collect::<Vec<&i32>>()
);
// 打印 [1, 5]
println!(
"Symmetric Difference: {:?}",
a.symmetric_difference(&b).collect::<Vec<&i32>>()
);
}