力扣77:组合
题目链接:力扣77:组合
思路:
1.因为是暴力搜索,所以采用回溯算法,并定义两个变量result(List<List< Integer>>)和path(List< Integer>),注:关于回溯算法一定要先画树状图理解
2.确定递归参数(int n, int k, int startIndex)
3.确定递归终止条件(当path大小==k)
4.确定每层递归逻辑(添加元素,深度递归遍历,撤销最后一个元素)
代码:
class Solution {
private List<List<Integer>> result = new ArrayList<>();
private LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> combine(int n, int k) {
// 1.确认入参和返回值
backTracking(n, k, 1);
return result;
}
public void backTracking(int n, int k, int startIndex) {
// 2.确定终止条件
if (path.size() == k) {
result.add(new ArrayList<>(path));
return;
}
// 3.处理单层搜索逻辑(并采用剪枝优化)
for (int i = startIndex; i <= n - (k - path.size()) + 1; i++) {
path.add(i);
backTracking(n, k, i+1);
path.removeLast();
}
}
}