Given a set of distinct integers, nums, return all possible subsets.
Note: The solution set must not contain duplicate subsets.
For example,
If nums = [1,2,3], a solution is:
[
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]
题意:给出一个数组,返回这个数组中包含的所有子集。
思路:这道题和77题很类似,选取的范围变成了数组,选取的集合不限制集合中的元素个数了。所以解决思路还是深度优先搜索的方法,查找的index指向数组的索引,不要子集合的元素个数,所以只要得到一个合法的子集就可以加到结果集中。
public List<List<Integer>> subsets(int[] nums) {
List<List<Integer>> res = new ArrayList<>();
if (nums == null || nums.length == 0) {
return res;
}
dfs(nums, res, 0, new ArrayList<>());
return res;
}
private void dfs(int[] nums, List<List<Integer>> res, int start, List<Integer> subres) {
res.add(new ArrayList<>(subres));
for (int i = start; i < nums.length; i++) {
subres.add(nums[i]);
dfs(nums, res, i + 1, subres);
subres.remove(subres.size() - 1);
}
}