跟着carl学算法,本系列博客仅做个人记录,建议大家都去看carl本人的博客,写的真的很好的!
代码随想录
LeetCode:77. 组合给定两个整数 n 和 k,返回范围 [1, n] 中所有可能的 k 个数的组合。
你可以按 任何顺序 返回答案。
示例 1:
输入:n = 4, k = 2
输出:
[
[2,4],
[3,4],
[2,3],
[1,2],
[1,3],
[1,4],
]
示例 2:
输入:n = 1, k = 1
输出:[[1]]
java
public List<List<Integer>> combine(int n, int k) {
List<List<Integer>> res = new ArrayList<>();
backtracking(n, k, 1, new ArrayList<>(), res);
return res;
}
private void backtracking(int n, int k, int startIndex, List<Integer> path, List<List<Integer>> res) {
if (path.size() == k) {
// res.add(path);
// 这里应该添加一个新的list而不是直接添加path!
res.add(new ArrayList<>(path));
return;
}
for (int i = startIndex; i <= (n - (k - path.size()) + 1); i++) {
path.add(i);
backtracking(n, k, i + 1, path, res);
path.removeLast();
}
}