LeetCode 90. 子集 II
原题链接
中等
作者:
LangB
,
2020-11-03 12:08:12
,
所有人可见
,
阅读 266
class Solution {
List<List<Integer>> res;
List<Integer> path;
int[] nums;
public List<List<Integer>> subsetsWithDup(int[] nums) {
Arrays.sort(nums);
res = new ArrayList<>();
path = new ArrayList<>();
this.nums = nums;
dfs(0);
return res;
}
private void dfs(int index) {
if (index > nums.length) {
return;
}
res.add(new ArrayList<>(path));
for (int i = index; i < nums.length; i++) {
// 去重
if (i > index && nums[i] == nums[i - 1]) {
continue;
}
path.add(nums[i]);
dfs(i + 1);
path.remove(path.size() - 1);
}
}
}