-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpermutations.py
56 lines (45 loc) · 975 Bytes
/
permutations.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
# DFS
def permute(nums):
"""
:type nums: List[int]
:rtype: List[List[int]]
"""
'''
# 1. first solution
res = [] # global
def dfs(ans = []):
# exist
if len(ans) == len(nums):
res.append(ans)
return
# condition
for num in nums:
if num not in ans:
# back stacking paras change
dfs(ans+[num])
dfs()
return res
'''
# 2. second solution
res = []
dfs(nums, [], res)
return res
def dfs(nums, path, res):
if not nums:
res.append(path)
for i in range(len(nums)):
dfs(nums[:i] + nums[i + 1:], path + [nums[i]], res)
'''
# 3. third solution
import itertools
res = []
# return iterator
per_nums = itertools.permutations(nums)
for num in per_nums:
res.append(list(num))
return res
'''
# test
if __name__ == "__main__":
nums = [1,2,3]
print(permute(nums))