49. 字母异位词分组

Posted 炫云云

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了49. 字母异位词分组相关的知识,希望对你有一定的参考价值。

49. 字母异位词分组

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

字母异位词 是由重新排列源单词的字母得到的一个新单词,所有源单词中的字母都恰好只用一次。

示例 1:

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

输入: strs = [""]
输出: [[""]]

输入: strs = ["a"]
输出: [["a"]]

两个字符串互为字母异位词,当且仅当两个字符串包含的字母相同。同一组字母异位词中的字符串具备相同点,可以使用相同点作为一组字母异位词的标志,使用哈希表存储每一组字母异位词,哈希表的键为一组字母异位词的标志,哈希表的值为一组字母异位词列表

遍历每个字符串,对于每个字符串,得到该字符串所在的一组字母异位词的标志,将当前字符串加入该组字母异位词的列表中。遍历全部字符串之后,哈希表中的每个键值对即为一组字母异位词。

以下的两种方法分别使用排序和计数作为哈希表的键

排序

由于互为字母异位词的两个字符串包含的字母相同,因此对两个字符串分别进行排序之后得到的字符串一定是相同的,故可以将排序之后的字符串作为哈希表的键。

class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
        dict = collections.defaultdict(list)

        for st in strs:
            key = "".join(sorted(st))
            dict[key].append(st)

        return list(dict.values())
class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
        dict = {}
        for st in strs:
            key = tuple(sorted(st))
            dict[key] = dict.get(key, []) + [st]
        return list(dict.values())

class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
        dicts = {}
        for st in strs:
            key = ''.join(sorted(st))
            if key not in dicts:
                dicts[key] = [st]
            else:
                dicts[key].append(st)
        return list(dicts.values())

计数

由于互为字母异位词的两个字符串包含的字母相同,因此两个字符串中的相同字母出现的次数一定是相同的,故可以将每个字母出现的次数使用字符串表示,作为哈希表的键。

由于字符串只包含小写字母,因此对于每个字符串,可以使用长度为 26 26 26 的数组记录每个字母出现的次数。需要注意的是,在使用数组作为哈希表的键时,不同语言的支持程度不同,因此不同语言的实现方式也不同。

class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
        dicts = collections.defaultdict(list)

        for st in strs:
            counts = [0] * 26
            for ch in st:
                counts[ord(ch) - ord("a")] += 1
            # 需要将 list 转换成 tuple 才能进行哈希
            dicts[tuple(counts)].append(st)

        return list(dicts.values())
            
class Solution:
    def groupAnagrams(self, strs: List[str]) -> List[List[str]]:
        dicts = {}

        for st in strs:
            counts = [0] * 26
            for ch in st:
                counts[ord(ch) - ord("a")] += 1
            # 需要将 list 转换成 tuple 才能进行哈希
            key = tuple(counts)
            if key not in dicts:
                dicts[key] = [st]
            else:
                dicts[key].append(st)
        return list(dicts.values())
            

参考

Krahets - 力扣(LeetCode) (leetcode-cn.com)

以上是关于49. 字母异位词分组的主要内容,如果未能解决你的问题,请参考以下文章

49. 字母异位词分组

49.字母异位词分组

49. 字母异位词分组

LeetCode 49: 字母异位词分组Group Anagrams

LeetCode 49. 字母异位词分组(Group Anagrams)

257.LeetCode | 49. 字母异位词分组