题目描述
给定一个字符串数组,将字母异位词组合在一起。字母异位词指字母相同,但排列不同的字符串。
示例:
输入: ["eat", "tea", "tan", "ate", "nat", "bat"]
输出:
[
["ate","eat","tea"],
["nat","tan"],
["bat"]
]
说明:
所有输入均为小写字母。
不考虑答案输出的顺序。
解题思路
- 哈希表
根据异位词的特性,组成字符串的字母相同,那么将字符串排序后作为键值,即可将异位词压入对应的数组中。
源码
class Solution {
public:
vector<vector<string>> groupAnagrams(vector<string>& strs) {
unordered_map<string,vector<string>> hashmap;
for(string &s:strs)
{
string temp=s;
sort(temp.begin(),temp.end());
hashmap[temp].push_back(s);
}
vector<vector<string>>ans;
unordered_map<string,vector<string>>::iterator ite;
for(ite=hashmap.begin();ite!=hashmap.end();ite++)
{
ans.push_back(ite->second);
}
return ans;
}
//还有另一种解法,学到哈希函数回看
};
题目来源
来源:力扣(LeetCode)