LeetCode 49. 字母异位词分组
程序员文章站
2022-07-12 12:50:09
...
题目描述
给定一个字符串数组,将字母异位词组合在一起。字母异位词指字母相同,但排列不同的字符串。
示例:
输入: ["eat", "tea", "tan", "ate", "nat", "bat"],
输出:
[
["ate","eat","tea"],
["nat","tan"],
["bat"]
]
说明:
- 所有输入均为小写字母。
- 不考虑答案输出的顺序。
问题分析
此题输入的是一个字符串数组,遍历该数组,然后将每个字符串排序,排序后的字符串作为”键“存入哈希表,对应的”值“是一个字符串数组,每次把排序前的字符串加入到字符串数组里。这样在遍历数组后,排序后相同的字符串在哈希表里就被保存在了一起。这样最后遍历哈希表,就把里面已经分组了的字符串加入到ans数组中返回即可。
代码实现
class Solution {
public:
vector<vector<string>> groupAnagrams(vector<string>& strs) {
vector<vector<string>> ans;
unordered_map<string, vector<string>> umap;
for(string s : strs){
string temp = s;
sort(s.begin(), s.end());
umap[s].push_back(temp);
}
for(auto i : umap)
ans.push_back(i.second);
return ans;
}
};
下一篇: RabbitMQ之安装rabbitMq