题目描述
给定两个整数 n 和 k,返回 1 … n 中所有可能的 k 个数的组合。
样例
输入: n = 4, k = 2
输出:
[
[2,4],
[3,4],
[2,3],
[1,2],
[1,3],
[1,4],
]
算法1
(DFS) $O(C_{n}^{k})$
枚举方案,使用DFS。
时间复杂度
枚举了多少个方案,时间复杂度就是多少。
参考文献
C++ 代码
class Solution {
public:
vector<vector<int>> combine(int n, int k) {
if (k > n) return {};
vector<int> path;
vector<vector<int>> res;
dfs(path, res, 1, n, k);
return res;
}
void dfs(vector<int> &path, vector<vector<int>> &res, int cur, int n, int k){
if (path.size() == k){
res.push_back(path);
return;
}
for (int i = cur; i <= n; ++i){
path.push_back(i);
dfs(path, res, i + 1, n, k);
path.pop_back();
}
}
};