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
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
#![allow(dead_code)]
pub fn group_anagrams(strs: Vec<String>) -> Vec<Vec<String>> {
use std::collections::HashMap;
let mut map = HashMap::new();
let mut res = vec![];
let sorted_strs: Vec<Vec<u8>> = strs
.iter()
.map(|s| {
let mut s = s.clone().into_bytes();
s.sort();
s
})
.collect();
for i in 0..strs.len() {
let temp = sorted_strs[i].clone();
match map.get(&temp) {
None => {
res.push(vec![]);
map.insert(temp.clone(), res.len() - 1);
}
Some(_) => {}
}
let index = map.get(&temp).unwrap();
res[*index].push(strs[i].clone());
}
res
}
pub fn group_anagrams2(strs: Vec<String>) -> Vec<Vec<String>> {
use std::collections::HashMap;
strs.into_iter()
.fold(HashMap::new(), |mut map, s| {
map.entry(s.bytes().fold([0; 26], |mut hash, b| {
hash[(b - b'a') as usize] += 1u8;
hash
}))
.or_insert(vec![])
.push(s);
map
})
.into_iter()
.map(|s| s.1)
.collect()
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test1() {
let strs = vec![
"eat".to_string(),
"tea".to_string(),
"tan".to_string(),
"ate".to_string(),
"nat".to_string(),
"bat".to_string(),
];
let res = group_anagrams(strs);
assert_eq!(
res,
vec![vec!["eat", "tea", "ate"], vec!["tan", "nat"], vec!["bat"]]
)
}
}