题目:
给定两个整数 n 和 k,返回 1 ... n 中所有可能的 k 个数的组合。
示例:
输入: n = 4, k = 2
输出:
[
[2,4],
[3,4],
[2,3],
[1,2],
[1,3],
[1,4],
]
解决:
/*
* @lc app=leetcode.cn id=77 lang=javascript
*
* [77] 组合
*/
// @lc code=start
/**
* @param {number} n
* @param {number} k
* @return {number[][]}
*/
var combine = function(n, k) {
let number = [];
if (k === 1) {
for (let index = 1; index <= n; index++) {
number.push([index])
}
return number;
}
function combineSub(start, path) {
if (path.length === k) {
number.push(path.slice());
return ;
}
for (let index = start; index <= n; index++) {
path.push(index);
combineSub(index + 1, path);
path.pop();
}
}
combineSub(1,[]);
return number
};
// @lc code=end
有递归的思想很重要
递归概念及举例:https://blog.csdn.net/u012403290/article/details/69054185