leetcode 90.子集 II
问题描述
给定一个可能包含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。
说明:解集不能包含重复的子集。
示例:
输入: [1,2,2]
输出:
[
[2],
[1],
[1,2,2],
[2,2],
[1,2],
[]
]
代码
class Solution {
public:
vector<vector<int>> subsetsWithDup(vector<int>& nums) {
vector<vector<int>> ans;
vector<int> path;
sort(nums.begin(),nums.end());
int n = nums.size();
backtrack(ans,path,nums,0,n);
return ans;
}
void backtrack(vector<vector<int>> &ans,vector<int>&path,vector<int>&nums,int level,int n)
{
if(path.size() <= n)
{
ans.push_back(path);
}
for(int i = level; i < n; i++)
{
if(i > level && nums[i] == nums[i-1])continue;
path.push_back(nums[i]);
backtrack(ans,path,nums,i+1,n);
path.pop_back();
}
}
};
结果
执行用时 :4 ms, 在所有 C++ 提交中击败了93.79%的用户
内存消耗 :9.4 MB, 在所有 C++ 提交中击败了58.78%的用户