Write a method to sort an array of strings so that all the anagrams are in the same group.
Note: This problem is slightly different from the original one the book.
Example:
Input: ["eat", "tea", "tan", "ate", "nat", "bat"]
,
Output:
[
["ate","eat","tea"],
["nat","tan"],
["bat"]
]
Notes:
- All inputs will be in lowercase.
- The order of your output does not matter.
key | value |
---|---|
"aet" |
["eat", "tea", "ate"] |
"ant" |
["tan", "nat"] |
"abt" |
["bat"] |
class Solution:
def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
chars = collections.defaultdict(list)
for s in strs:
k = ''.join(sorted(list(s)))
chars[k].append(s)
return list(chars.values())
class Solution {
public List<List<String>> groupAnagrams(String[] strs) {
Map<String, List<String>> chars = new HashMap<>();
for (String s : strs) {
char[] t = s.toCharArray();
Arrays.sort(t);
String k = new String(t);
chars.computeIfAbsent(k, key -> new ArrayList<>()).add(s);
}
return new ArrayList<>(chars.values());
}
}
class Solution {
public:
vector<vector<string>> groupAnagrams(vector<string> &strs) {
unordered_map<string, vector<string>> chars;
for (auto s : strs)
{
string k = s;
sort(k.begin(), k.end());
chars[k].emplace_back(s);
}
vector<vector<string>> res;
for (auto it = chars.begin(); it != chars.end(); ++it)
{
res.emplace_back(it->second);
}
return res;
}
};
func groupAnagrams(strs []string) [][]string {
chars := map[string][]string{}
for _, s := range strs {
key := []byte(s)
sort.Slice(key, func(i, j int) bool {
return key[i] < key[j]
})
chars[string(key)] = append(chars[string(key)], s)
}
var res [][]string
for _, v := range chars {
res = append(res, v)
}
return res
}