78. 子集——subsets
给你一个整数数组 nums ,数组中的元素 互不相同 。返回该数组所有可能的子集(幂集)。
解集 不能 包含重复的子集。你可以按 任意顺序 返回解集。
示例 1:
1 2
| 输入:nums = [1,2,3] 输出:[[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]]
|
示例 2:
1 2
| 输入:nums = [0] 输出:[[],[0]]
|
提示:
1 <= nums.length <= 10
-10 <= nums[i] <= 10
nums 中的所有元素 互不相同
我的答案:回溯
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
| class Solution { public List<List<Integer>> subsets(int[] nums) { List<List<Integer>> ans = new ArrayList<>(); List<Integer> list = new ArrayList<>(); ans.add(list); dfs(nums, list, ans, 0); return ans; }
private void dfs(int[] nums, List<Integer> list, List<List<Integer>> ans, int index) { if (index == nums.length) { return; } for (int i = index; i < nums.length; i++) { list.add(nums[i]); ans.add(new ArrayList<>(list)); dfs(nums, list, ans, i+1); list.remove(list.size() - 1); } } }
|