49.字母异位词分组

给定一个字符串数组,将字母异位词组合在一起。字母异位词指字母相同,但排列不同的字符串。

示例:
输入: ["eat", "tea", "tan", "ate", "nat", "bat"],
输出:
[
["ate","eat","tea"],
["nat","tan"],
["bat"]
]

说明:
所有输入均为小写字母。
不考虑答案输出的顺序。

class Solution {
    public List> groupAnagrams(String[] strs) {
        Map map = new HashMap();
        //这个List是List
        for(String s : strs) {
            //字符串转数组,数组排序,转回字符串
            char[] c = s.toCharArray();
            Arrays.sort(c);
            String str = String.valueOf(c);
            if(!map.containsKey(str)){
                map.put(str,new ArrayList()); 
            }
            map.get(str).add(s);
        }
        return new ArrayList(map.values());
    }
}

你可能感兴趣的:(49.字母异位词分组)