刷题-力扣-面试题 10.02. 变位词组
题目链接
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/group-anagrams-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
题目描述
编写一种方法,对字符串数组进行排序,将所有变位词组合在一起。变位词是指字母相同,但排列不同的字符串。
注意:本题相对原题稍作修改
示例:
输入: ["eat", "tea", "tan", "ate", "nat", "bat"],
输出:
[
["ate","eat","tea"],
["nat","tan"],
["bat"]
]
说明:
- 所有输入均为小写字母。
- 不考虑答案输出的顺序。
题目分析
- 根据题目描述,将含有相同字母的字符串(变位词)分组
- 对变位词进行排序后的字符串相同,对变位词进行排序作为哈希表的键,变为词作为值
代码
class Solution {
public:
vector<vector<string>> groupAnagrams(vector<string>& strs) {
std::vector<std::vector<std::string>> res;
std::unordered_map<std::string, std::vector<std::string>> map;
// 遍历所有字符串
for (std::string str : strs) {
std::string s = str;
std::sort(s.begin(), s.end());
map[s].emplace_back(str);
}
for (std::unordered_map<std::string, std::vector<std::string>>::iterator it = map.begin(); it != map.end(); ++it) {
res.emplace_back(it->second);
}
return res;
}
};