Created
February 10, 2020 21:27
-
-
Save Lugriz/9322b5f459bf502b210a3238aeca59d5 to your computer and use it in GitHub Desktop.
group-anagrams
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class Solution: | |
def groupAnagrams(self, strs: List[str]) -> List[List[str]]: | |
result = [] | |
groups = {} | |
for word in strs: | |
wordFrecuency = self.__getDictFrecuency(word) # O(n) -> {...} | |
groupIndex = self.__belongsToAGroup(groups, wordFrecuency) # O(groups.length + wordFrecuency.length) | |
if groupIndex > -1: | |
result[groupIndex].append(word) | |
else: | |
groupLen = len(groups) | |
groups[groupLen] = wordFrecuency | |
result.append([word]) | |
return result | |
def __getDictFrecuency(self, word): | |
frecuencies = {} | |
for c in word: | |
frecuencies[c] = frecuencies.get(c, 0) + 1 | |
return frecuencies | |
def __belongsToAGroup(self, groups, dic) -> int: | |
for groupIndex in groups: | |
group = groups[groupIndex] | |
isEqual = self.__isEqualsAnagram(dic, group) # O(n) | |
if isEqual: | |
return groupIndex | |
return -1 | |
def __isEqualsAnagram(self, dic, dic2) -> bool: | |
if len(dic) != len(dic2): | |
return False | |
for c in dic: | |
if c not in dic2 or dic[c] != dic2[c]: | |
return False | |
return True |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment