Leetcode 49. 字母异位词分组 C++

Leetcode 49. 字母异位词分组

题目

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

测试样例

输入: ["eat", "tea", "tan", "ate", "nat", "bat"]
输出:
[
  ["ate","eat","tea"],
  ["nat","tan"],
  ["bat"]
]
说明
所有输入均为小写字母。
不考虑答案输出的顺序。

题解

我们将字符串排序后的字符串作为哈希表的键,值则用数组表示,从而实现了分组

代码

vector<vector<string>> groupAnagrams(vector<string>& strs) {
        unordered_map<string,vector<string>> hash;
        int i,n=strs.size();
        vector<vector<string>> ans;
        for(i=0; i<n; i++){
            string s = strs[i];
            sort(s.begin(),s.end());
            hash[s].push_back(strs[i]);
        }
        for(auto& i:hash){
            ans.push_back(i.second);
        }
        return ans;
    }

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/group-anagrams
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

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