11,501
社区成员
发帖
与我相关
我的任务
分享
给你一个整数数组 nums
,数组中的元素 互不相同 。返回该数组所有可能的子集(幂集)。
解集 不能 包含重复的子集。你可以按 任意顺序 返回解集。
示例 1:
输入:nums = [1,2,3]
输出:[[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]]
示例 2:
输入:nums = [0]
输出:[[],[0]]
提示:
1 <= nums.length <= 10
-10 <= nums[i] <= 10
nums
中的所有元素 互不相同这题在CSDN只有nums.length == 0 、 i < nums.length 答案才是正确的,很奇怪,明明有nums.length < 0 、i < nums.length的选项却显示错误
而我在leetcode.78题尝试运行,用(nums.length <= 0 、 i < nums.length 全部通过
用nums.length == 0 、 i < nums.length 全部通过
用nums.length < 0 、i < nums.length 全部通过
leetcode.78题
public class Main {
public List<List<Integer>> subsets(int[] nums) {
List<List<Integer>> res = new ArrayList<List<Integer>>();
List<Integer> tmp = new ArrayList<>();
res.add(tmp);
if (nums.length == 0) {
return res;
}
helper(nums, 0, tmp, res);
return res;
}
public void helper(int[] nums, int start, List<Integer> tmp, List<List<Integer>> res) {
for (int i = start; i < nums.length; i++) {
tmp.add(nums[i]);
helper(nums, i + 1, tmp, res);
res.add(new ArrayList<>(tmp));
tmp.remove(tmp.size() - 1);
}
}
public static void main(String[] args) {
Main _this = new Main();
List<List<Integer>> subsets = _this.subsets(new int[]{1, 2, 3});
subsets.forEach(item -> System.out.println(Arrays.toString(item.toArray())));
}
}