给你一个 无重复元素 的整数数组 candidates 和一个目标整数 target ,找出 candidates 中可以使数字和为目标数 target 的 所有 不同组合 ,并以列表形式返回。你可以按 任意顺序 返回这些组合。
candidates 中的 同一个 数字可以 无限制重复被选取 。如果至少一个数字的被选数量不同,则两种组合是不同的。
对于给定的输入,保证和为 target 的不同组合数少于 150 个。
示例 1:
输入:candidates = [2,3,6,7], target = 7
输出:[[2,2,3],[7]]
解释:
2 和 3 可以形成一组候选,2 + 2 + 3 = 7 。注意 2 可以使用多次。
7 也是一个候选, 7 = 7 。
仅有这两种组合。
示例 2:
输入: candidates = [2,3,5], target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]
示例 3:
输入: candidates = [2], target = 1
输出: []
提示:
candidates 的所有元素 互不相同
思路一:
- dfs 遍历每个数字出现的次数
- 进入下层递归之前,将相应数量的当前数字加入到数组中,递归完后,回溯时,删除相应数量的数字
- 遍历所有可能的组合
- 当总和等于 target 时,将当前 dfs 路径加入 res 结果集
- 返回对应的结果
class Solution {
public:
vector<vector<int>> res;
vector<vector<int>> combinationSum(vector<int>& candidates, int target) {
vector<int> tv;
dfs(candidates, tv, target, 0);
return res;
}
void dfs(vector<int> &v, vector<int> &tv, int target, int idx){
if(target <= 0 || idx == v.size()){
if(target == 0) res.push_back(tv);
return;
}
for(int i = 0; i * v[idx] <= target; i++){
if(i) {
for(int j = 0; j < i; j++) tv.push_back(v[idx]);
}
dfs(v, tv, target - i * v[idx], idx + 1);
if(i) {
for(int j = 0; j < i; j++) tv.pop_back();
}
}
}
void insert(vector<int> &s, vector<int> &t){
for(auto x: s) t.push_back(x);
}
};
思路二:
- dfs 搜索,从原始数组的第一个数字开始遍历
- 对于当前数字,枚举 选/不选 两种情况
- 不选的时候,下标+1,进入下层递归
- 选的时候,将当前数字加入数组,继续下层递归
- 如果数组内数字和 == target,则将当前数组加入 res 结果集
- 递归完后,回溯时,在数组中删除当前数字
- 返回最终结果集
class Solution {
public:
vector<vector<int>> res;
vector<vector<int>> combinationSum(vector<int>& candidates, int target) {
vector<int> tv;
dfs(candidates, tv, 0, target);
return res;
}
void dfs(vector<int> &v, vector<int> &tv, int idx, int target){
if(target <= 0 || idx == v.size()){
if(target == 0){
res.push_back(tv);
}
return;
}
dfs(v, tv, idx + 1, target);
if (target - v[idx] >= 0) {
tv.push_back(v[idx]);
dfs(v, tv, idx, target - v[idx]);
tv.pop_back();
}
}
};