题目链接
思路
如果一对字符串是字母异位词,那么他们经过排序之后,应该是相等的。
利用这一特点,我们通过哈希表建立排序后字符串到原字符串列表的映射,不断把 strs
中的字符串加入到合适的链表中。
最后遍历哈希表,可以得到最终结果。
代码
class Solution{
public List<List<String>> groupAnagrams(String[] strs){
Map<String, List<String>> map = new HashMap<>();
for(int i = 0; i < strs.length; i++){
char[] chars = strs[i].toCharArray();
Arrays.sort(chars);
String value = new String(chars);
if(map.containsKey(value)){
map.get(value).add(strs[i]);
}else{
List<String> list = new ArrayList<>();
list.add(strs[i]);
map.put(value, list);
}
}
List<List<String>> res = new ArrayList<>();
for(Map.Entry<String, List<String>> entry : map.entrySet()){
res.add(entry.getValue());
}
return res;
}
}
标签:map,49,strs,异位,value,哈希,new,LeetCode
From: https://www.cnblogs.com/shixuanliu/p/17032474.html