题目:
Given two integers n and k, return all possible combinations of k numbers out of 1 ... n.
For example,
If n = 4 and k = 2, a solution is:
[ [2,4], [3,4], [2,3], [1,2], [1,3], [1,4], ]
class Solution {
public:
vector<vector<int> > combine(int n, int k) {
ans.clear();
a.resize(k);
dfs(0, k, n, 1);
return ans;
}
private:
vector<vector<int>> ans;
vector<int> a;
void dfs(int depth, int maxDepth, int n, int start) {
if (depth == maxDepth) {
ans.push_back(a);
return;
}
for (int i = start; i <= n; i++) {
a[depth] = i;
dfs(depth + 1, maxDepth, n, i + 1);
}
}
};
本文介绍了一个用于生成1到n范围内任意k个数的所有可能组合的算法实现,详细解释了递归函数dfs的工作原理及代码实现,通过实例展示了如何使用此算法并返回组合结果。
473

被折叠的 条评论
为什么被折叠?



