中文题目
给定一个无重复元素的正整数数组 candidates
和一个正整数 target
,找出 candidates
中所有可以使数字和为目标数 target
的唯一组合。
candidates
中的数字可以无限制重复被选取。如果至少一个所选数字数量不同,则两种组合是唯一的。
对于给定的输入,保证和为 target
的唯一组合数少于 150
个。
示例 1:
输入: candidates =[2,3,6,7],
target =7
输出: [[7],[2,2,3]]
示例 2:
输入: candidates = [2,3,5],
target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]
示例 3:
输入: candidates = [2],
target = 1
输出: []
示例 4:
输入: candidates =[1],
target =1
输出: [[1]]
示例 5:
输入: candidates =[1],
target =2
输出: [[1,1]]
提示:
1 <= candidates.length <= 30
1 <= candidates[i] <= 200
candidate
中的每个元素都是独一无二的。1 <= target <= 500
注意:本题与主站 39 题相同: https://leetcode-cn.com/problems/combination-sum/
通过代码
高赞题解
回溯法 + 剪枝
这道题与之前的唯一区别就是同一个数字可以多次选择。这道题中每一步都从集合中取出一个元素时,存在多个选择,一种是不添加该数字,其他选择就是选择 1 次该数字,2 次该数字…。
其实归根到底,也是两种选择,一种是选择不添加,另一种是选择添加。如果选择不添加,那么只需要调用递归函数判断下一个数字。如果选择添加,那么只需要调用递归函数继续判断该数字。这样的处理就可以与之前的题目完全统一,完整的代码如下。
class Solution {
private:
void helper(vector<int>& candidates, int target, int index, vector<vector<int>>& ret, vector<int>& cur) {
// 得到答案
if (target == 0) {
ret.emplace_back(cur);
return;
}
// 超界
if (target < 0 || index == candidates.size()) {
return;
}
// 不加入 candidates[index]
helper(candidates, target, index + 1, ret, cur);
// 加入 candidates[index]
cur.push_back(candidates[index]);
helper(candidates, target - candidates[index], index, ret, cur);
cur.pop_back();
}
public:
vector<vector<int>> combinationSum(vector<int>& candidates, int target) {
vector<vector<int>> ret;
vector<int> cur;
helper(candidates, target, 0, ret, cur);
return ret;
}
};
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
5466 | 6978 | 78.3% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|