Day 81 40. 组合总和 II

40. 组合总和 II

题目

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
给定一个数组 candidates 和一个目标数 target 

找出 candidates 中所有可以使数字和为 target 的组合。

candidates 中的每个数字在每个组合中只能使用一次。

注意:解集不能包含重复的组合。 

 

示例 1:

输入: candidates = [10,1,2,7,6,1,5], target = 8,
输出:
[
[1,1,6],
[1,2,5],
[1,7],
[2,6]
]
示例 2:

输入: candidates = [2,5,2,1,2], target = 5,
输出:
[
[1,2,2],
[5]
]
 

提示:

1 <= candidates.length <= 100
1 <= candidates[i] <= 50
1 <= target <= 30

题目思路

  • 1、同昨日一样的回溯法,看leetcode官方解答可以使用pair存储,但是其实与存储缓存过程中的数据类型 vector 是一样的。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
class Solution {
private:
vector<int> res;
vector<vector<int>> ans;
vector<int> tmp;
public:
void dfs(int start, int target) {
int n = res.size();
if(target == 0) {
ans.push_back(tmp);
return;
}

for(int i = start; i < n && target - res[i] >= 0; i++) {
if(i > start && res[i] == res[i - 1]) continue;
tmp.push_back(res[i]);
dfs(i + 1, target - res[i]);
tmp.pop_back();
}
}

vector<vector<int>> combinationSum2(vector<int> &candidates, int target) {
sort(candidates.begin(), candidates.end());
this -> res = candidates;
dfs(0, target);
return ans;
}
};

复杂度

  • 时间复杂度:O($2 ^ n * n$)
  • 空间复杂度:O($n$)

Day 81 40. 组合总和 II
https://chaggle.github.io/2021/11/29/Leetcode/91-day/day-81/
作者
chaggle
发布于
2021年11月29日
许可协议