文章目录
leetcode39:39. 组合总和
题目描述
给定一个无重复元素的数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。
candidates 中的数字可以无限制重复被选取。
说明:
- 所有数字(包括 target)都是正整数。
- 解集不能包含重复的组合。
Example
输入:candidates = [2,3,6,7], target = 7
输出:[
[7],
[2,2,3]
]
solution idea
回溯+剪枝
-
candidates 从小到大排序
-
回溯实现
class Solution {
private:
vector<int> path;
vector<int> candidates;
vector<vector<int>> res;
public:
void DFS(int start,int target)
{
if(target==0) res.push_back(path);
for(int i=start;i<candidates.size()&&target-candidates[i]>=0;i++)
{
path.push_back(candidates[i]); //在尾端添加元素
DFS(i,target-candidates[i]);
path.pop_back(); // 删除末尾元素
}
}
vector<vector<int>> combinationSum(vector<int>& candidates, int target) {
sort(candidates.begin(),candidates.end()); //从小到大排序
this->candidates=candidates;
DFS(0,target);
return res;
}
};
c++ 语法
this 指针
- this 是
c++
中的一个关键字,也是一个const pointer
,它指向当前对象,通过它可以访问当前对象的所有成员。 - this 只能用在类的内部,通过 this 可以访问类的所有成员,包括
private、protected、public
属性的。
Note: this 是一个指针,要用->
来访问成员变量或成员函数。
vector 操作
std::vector::pop_back 删除末尾元素
Delete last element.Removes the last element in the vector, effectively reducing the container size by one.
std::vector::push_back 在末尾添加元素
Adds a new element at the end of the vector, after its current last element. The content of val is copied (or moved) to the new element.
vector删除操作总结
-
向量容器vector的成员函数pop_back()可以删除最后一个元素.
-
函数erase()可以删除由一个iterator指出的元素,也可以删除一个指定范围的元素。
-
还可以采用通用算法remove()来删除vector容器中的元素.
参考文献
- c++ prime 第5版
- c++ reference