说明:问题描述来源leetcode:
题解1
/**
* @author xin麒
* @date 2022/12/14 21:14
* 给你一个整数数组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 中的所有元素 互不相同
*/
public class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
private int[] nums;
public List<List<Integer>> subsets(int[] nums) {
this.nums = nums;
backTracking(0);
return result;
}
private void backTracking(int startIndex) {
if (path.size() != 0 && startIndex < nums.length && path.get(0) == nums[startIndex] ) {
List<Integer> list = new ArrayList<>();
list.add(nums[startIndex]);
result.add(list);
}
result.add(new ArrayList<>(path));
for (int i = startIndex; i < nums.length; i++) {
path.add(nums[i]);
backTracking(i + 1);
path.removeLast();
}
}
}
直接通过模板搞起,然后再慢慢补充,把测试用例带入,肉眼debug、排除,然后基本就可以了。
但是很遗憾,没能100%
怎么回事呢?于是我记起来全局变量的搜索速度是比局部变量慢的!
于是改进下:
/**
* @author xin麒
* @date 2022/12/14 22:30
*/
public class Solution2 {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> subsets(int[] nums) {
backTracking( nums,0);
return result;
}
private void backTracking(int[] nums,int startIndex) {
if (path.size() != 0 && startIndex < nums.length && path.get(0) == nums[startIndex] ) {
List<Integer> list = new ArrayList<>();
list.add(nums[startIndex]);
result.add(list);
}
result.add(new ArrayList<>(path));
for (int i = startIndex; i < nums.length; i++) {
path.add(nums[i]);
backTracking(nums,i + 1);
path.removeLast();
}
}
}
end
这个可以nice!