LeetCode-078-子集

给定一组不含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。

说明:解集不能包含重复的子集。

示例:

输入: nums = [1,2,3]
输出:
[
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/subsets

解题思路

利用树的深度遍历思想
dfs(数组, 起点索引, 遍历路径中间结果path, 结果集)
在 dfs 中循环遍历从起点到数组结尾的元素
并且 path 添加搜索的中间结果, 同时 result 把 path 添加进去
然后递归,起点要 + 1
返回时把 path 最后元素弹出

代码

class Solution {
    public List> subsets(int[] nums) {
        List> result = new ArrayList<>();
        result.add(new ArrayList<>()); // 空集
        Deque path = new LinkedList<>();
        dfs(nums, 0, path, result);
        return result;
    }

    private void dfs(int[] nums, int start, Deque path, List> result) {
        for (int i = start; i < nums.length; i++) {
            path.addLast(nums[i]);
            result.add(new LinkedList<>(path));
            dfs(nums, i + 1, path, result);
            path.removeLast();
        }
    }
}

你可能感兴趣的:(LeetCode-078-子集)