49. 字母异位词分组

49. 字母异位词分组

  • 题目-中等难度
  • 示例
  • 1. 字典值

题目-中等难度

给你一个字符串数组,请你将 字母异位词 组合在一起。可以按任意顺序返回结果列表。

字母异位词 是由重新排列源单词的所有字母得到的一个新单词。

示例

示例 1:

输入: strs = [“eat”, “tea”, “tan”, “ate”, “nat”, “bat”]
输出: [[“bat”],[“nat”,“tan”],[“ate”,“eat”,“tea”]]

示例 2:

输入: strs = [“”]
输出: [[“”]]

示例 3:

输入: strs = [“a”]
输出: [[“a”]]

提示:

  • 1 <= strs.length <= 104
  • 0 <= strs[i].length <= 100
  • strs[i] 仅包含小写字母

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

1. 字典值

执行用时:68 ms, 在所有 Python3 提交中击败了29.21%的用户
内存消耗:19.2 MB, 在所有 Python3 提交中击败了62.10%的用户
通过测试用例:118 / 118

class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
    	# 创建字典
        dic = defaultdict(list)
        # 根据排序后的单词归类
        for i in strs:
            dic["".join(sorted(i))] += [i]
        return [i for i in dic.values()]

你可能感兴趣的:(算法,哈希表,算法,leetcode,python)