LeetCode 49. Group Anagrams

Zetrue_Li發表於2018-04-27

一、     問題描述:

Given an array of strings, groupanagrams together.

Example:

Input:["eat", "tea", "tan","ate", "nat", "bat"],

Output:

[

 ["ate","eat","tea"],

 ["nat","tan"],

 ["bat"]

]

Note:

  • All inputs will be in lowercase.
  • The order of your output does not matter

二、     問題分析:

給定一個元素為字串的列表,要求把具有相同字元不同排序方法的字串歸類在同一列表,輸出元素為字串歸類列表的列表。

例如題目所給的樣例:

["eat", "tea", "tan", "ate","nat", "bat"]

因為"ate""eat""tea" 具有相同字元但字元排序方法不同,所以將它們歸類在同一列表:["ate","eat","tea"]

同樣,"tan" "nat" 也屬於相同字元不同排列順序,所以也將它們歸類在同一列表:["nat","tan"]

而最後只剩下 "bat" 唯一一個元素,所以將它單獨歸類為一個列表:["bat"]

因此,最後輸出列表為:

[

 ["ate","eat","tea"],

 ["nat","tan"],

 ["bat"]

]

 

三、     演算法設計:

假設輸入列表為q,定義一個字典d,對q中的每個字串str元素進行以下操作:

str進行字典順序排序獲得新字串nstr,在d中搜尋是否存在以nstr為鍵,值為列表的元素:如果存在,則將str加入該列表中;如果不存在,則在d中建立一個以nstr為鍵,值為僅包含str的列表的元素

返回d的值列表,即為目的結果:元素為字串歸類列表的列表

 

四、     程式實現:

class Solution:
	def groupAnagrams(self, strs):
		"""
		:type strs: List[str]
		:rtype: List[List[str]]
		"""
		n = len(strs)
		strss = []
		dic = {}
		for s in strs:
			temp = list(s);
			temp.sort()
			temp = ''.join(temp)
			
			if temp not in dic.keys():
				dic[temp] = [s]
			else:
				dic[temp].append(s)
			
		return list(dic.values())

相關文章