49. 字母异位词分组Leetcode
程序员文章站
2022-07-12 12:49:51
...
题目描述
给定一个字符串数组,将字母异位词组合在一起。字母异位词指字母相同,但排列不同的字符串。
示例:
输入: [“eat”, “tea”, “tan”, “ate”, “nat”, “bat”],
输出:
[
[“ate”,“eat”,“tea”],
[“nat”,“tan”],
[“bat”]
]
思路及解答
/*
思路:
创建合适的键值对
使用map结构,将字母完全相同的集合存放到同一个key对应的list中
例如:eat、tea、ate将每个字符串转化为字符串数组排序后都是aet,所以就将他们添加到同一个list当中
*/
class Solution {
public List<List<String>> groupAnagrams(String[] strs) {
if(strs.length == 0){
return new ArrayList();
}
Map<String, List> map = new HashMap<String, List>();
for(String s : strs){
char[] chs = s.toCharArray();
Arrays.sort(chs);
String temp = String.valueOf(chs);//将chs转化为字符串
if(!map.containsKey(temp))
map.put(temp, new ArrayList());
map.get(temp).add(s);
}
return new ArrayList(map.values());
}
}
上一篇: RabbitMQ安装
下一篇: LeetCode:49. 字母异位词分组