面试题 08.04. 幂集-----深度优先搜索
题目表述
幂集。编写一种方法,返回某集合的所有子集。集合中不包含重复的元素。
说明:解集不能包含重复的子集。
示例:
输入: nums = [1,2,3]
输出:
[
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]
深度优先搜索
- 用递归回溯去做,穷举所有的选择。
- 在调用子递归之前,递归压栈之前,比如最开始是空集,加入解集,然后选了一个数,再加入解集……等到整个回溯结束,不同的集合就都加入好了,不用特地设置递归出口去捕获
class Solution {
List<List<Integer>> res = new ArrayList<>();
public List<List<Integer>> subsets(int[] nums) {
Deque<Integer> path = new ArrayDeque<>();
dfs(nums, 0,path,0);
return res;
}
public void dfs(int[] nums, int depth, Deque<Integer> path, int begin){
res.add(new ArrayList<>(path));
if(begin == nums.length) return;
for(int i = begin; i < nums.length;i++){
path.addLast(nums[i]);
dfs(nums, depth + 1, path, i + 1);
path.removeLast();
}
}
}