|
28 | 28 |
|
29 | 29 | <!-- 这里可写通用的实现逻辑 -->
|
30 | 30 |
|
| 31 | +回溯法的基本模板: |
| 32 | + |
| 33 | +```py |
| 34 | +res = [] |
| 35 | +path = [] |
| 36 | + |
| 37 | +def backtrack(未探索区域, res, path): |
| 38 | + if path 满足条件: |
| 39 | + res.add(path) # 深度拷贝 |
| 40 | + # return # 如果不用继续搜索需要 return |
| 41 | + for 选择 in 未探索区域当前可能的选择: |
| 42 | + if 当前选择符合要求: |
| 43 | + path.add(当前选择) |
| 44 | + backtrack(新的未探索区域, res, path) |
| 45 | + path.pop() |
| 46 | +``` |
| 47 | + |
31 | 48 | <!-- tabs:start -->
|
32 | 49 |
|
33 | 50 | ### **Python3**
|
34 | 51 |
|
35 | 52 | <!-- 这里可写当前语言的特殊实现逻辑 -->
|
36 | 53 |
|
37 | 54 | ```python
|
38 |
| - |
| 55 | +class Solution: |
| 56 | + def subsets(self, nums: List[int]) -> List[List[int]]: |
| 57 | + def dfs(nums, i, res, path): |
| 58 | + res.append(copy.deepcopy(path)) |
| 59 | + while i < len(nums): |
| 60 | + path.append(nums[i]) |
| 61 | + dfs(nums, i + 1, res, path) |
| 62 | + path.pop() |
| 63 | + i += 1 |
| 64 | + res, path = [], [] |
| 65 | + dfs(nums, 0, res, path) |
| 66 | + return res |
39 | 67 | ```
|
40 | 68 |
|
41 | 69 | ### **Java**
|
42 | 70 |
|
43 | 71 | <!-- 这里可写当前语言的特殊实现逻辑 -->
|
44 | 72 |
|
45 | 73 | ```java
|
46 |
| - |
| 74 | +class Solution { |
| 75 | + public List<List<Integer>> subsets(int[] nums) { |
| 76 | + List<Integer> path = new ArrayList<>(); |
| 77 | + List<List<Integer>> res = new ArrayList<>(); |
| 78 | + dfs(nums, 0, res, path); |
| 79 | + return res; |
| 80 | + } |
| 81 | + |
| 82 | + private void dfs(int[] nums, int i, List<List<Integer>> res, List<Integer> path) { |
| 83 | + res.add(new ArrayList<>(path)); |
| 84 | + while (i < nums.length) { |
| 85 | + path.add(nums[i]); |
| 86 | + dfs(nums, i + 1, res, path); |
| 87 | + path.remove(path.size() - 1); |
| 88 | + ++i; |
| 89 | + } |
| 90 | + } |
| 91 | +} |
47 | 92 | ```
|
48 | 93 |
|
49 | 94 | ### **...**
|
|
0 commit comments