leetcode_46. 全排列
【摘要】 目录
一、题目内容
二、解题思路
三、代码
一、题目内容
给定一个 没有重复数字的序列,返回其所有可能的全排列。
示例:
输入: [1,2,3] 输出: [ [1,2,3], [1,3,2], [2,1,3], [2,3,1], [3,1,2], [3,2,1...
目录
一、题目内容
给定一个 没有重复数字的序列,返回其所有可能的全排列。
示例:
输入: [1,2,3]
输出:
[
[1,2,3],
[1,3,2],
[2,1,3],
[2,3,1],
[3,1,2],
[3,2,1]
]
二、解题思路
DFS+回溯,m_dict记录数字的个数,这样处理还可以解决重复数字的全排列问题。
三、代码
-
class Solution:
-
def permute(self, nums: list) -> list:
-
-
m_dict = {}
-
n = len(nums)
-
-
for num in nums:
-
m_dict.setdefault(num, 0) # only first is 0
-
m_dict[num] += 1
-
-
def dfs(index):
-
if index == n:
-
return [[]]
-
-
res = []
-
for num in m_dict:
-
if m_dict[num] == 0:
-
continue
-
m_dict[num] -= 1
-
# next num and index add 1
-
res.extend([[num] + res for res in dfs(index + 1)])
-
m_dict[num] += 1
-
return res
-
-
return dfs(0)
-
-
-
if __name__ == '__main__':
-
test = [1,2,3]
-
s = Solution()
-
ans = s.permute(test)
-
print(ans)
文章来源: nickhuang1996.blog.csdn.net,作者:悲恋花丶无心之人,版权归原作者所有,如需转载,请联系作者。
原文链接:nickhuang1996.blog.csdn.net/article/details/108663143
【版权声明】本文为华为云社区用户转载文章,如果您发现本社区中有涉嫌抄袭的内容,欢迎发送邮件进行举报,并提供相关证据,一经查实,本社区将立刻删除涉嫌侵权内容,举报邮箱:
cloudbbs@huaweicloud.com
- 点赞
- 收藏
- 关注作者
评论(0)