目录
回溯算法前置知识
文章讲解:代码随想录
回溯算法解决的问题:
- 组合问题
- 切割问题
- 子集问题
- 排列问题
- 棋盘问题
- 其他
回溯算法三部曲:
- 回溯函数模板返回值以及参数
- 回溯函数的终止条件
- 回溯搜索的遍历过程
LeetCode 77.组合
文章讲解:代码随想录
视频讲解:带你学透回溯算法-组合问题(对应力扣题目:77.组合)| 回溯法精讲!_哔哩哔哩_bilibili
带你学透回溯算法-组合问题的剪枝操作(对应力扣题目:77.组合)| 回溯法精讲!_哔哩哔哩_bilibili
力扣题目:LeetCode 77.组合
代码如下(Java):未剪枝版
class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> combine(int n, int k) {
combineHelper(n, k, 1);
return result;
}
private void combineHelper(int n, int k, int startIndex){
if(path.size() == k){
result.add(new ArrayList<>(path));
return;
}
for(int i = startIndex; i <= n; i++){
path.add(i);
combineHelper(n, k, i + 1);
path.removeLast();
}
}
}
代码如下(Java):剪枝版
class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> combine(int n, int k) {
combineHelper(n, k, 1);
return result;
}
private void combineHelper(int n, int k, int startIndex){
if(path.size() == k){
result.add(new ArrayList<>(path));
return;
}
for(int i = startIndex; i <= n - (k - path.size()) + 1; i++){
path.add(i);
combineHelper(n, k, i + 1);
path.removeLast();
}
}
}