题目
给定一组不含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。
说明:解集不能包含重复的子集。
示例:
输入: nums = [1,2,3]
输出:
[
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]
分析
使用回溯法,递归求解,在循环中套用递归,递归中也就含有循环。
创建一个result结果集合,和一个临时存放的temp集合,dfs函数得到result集合的最后结果。
helper函数:先将temp集合内容添加到result集合中,然后进入循环,依次将nums数组中的数字添加到temp集合中,即temp.add(nums[i]),之后递归再次添加时添加为当前索引+1的数字即添加nums[i+1],直到当前递归结束也就是i<nums.length,返回上层删除最新加入到temp中的数字,即temp.remove(temp.size()-1) 。
也就是循环将nums数组的数字加入到temp中,递归循环,删除添加的数字。
class Solution {
public static List<List<Integer>> subsets(int[] nums) {
List<List<Integer>> res = new ArrayList<>();
if (nums == null || nums.length == 0) return res;
helper(res, new ArrayList<>(), nums, 0);
return res;
}
public static void helper(List<List<Integer>> res, List<Integer> list, int[] nums, int index) {
res.add(new ArrayList<>(list));
for (int i = index; i < nums.length; i++) {
list.add(nums[i]);
helper(res, list, nums, i + 1);
list.remove(list.size() - 1);
}
}
}