LeetCode-77. 组合【回溯】
- 题目描述:
- 解题思路一:回溯
- 背诵版
- 解题思路三:0
题目描述:
给定两个整数 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]]
提示:
1 <= n <= 20
1 <= k <= n
解题思路一:回溯
代码随想录
class Solution:def combine(self, n: int, k: int) -> List[List[int]]:res = []self.backtracking(n, k, 1, [], res)return resdef backtracking(self, n, k, startIndex, path, res):if len(path) == k:res.append(path[:])return for i in range(startIndex, n - (k - len(path)) + 2): # startIndex不能大于n - (k - len(path)) + 1,还需要的元素path.append(i)self.backtracking(n, k, i + 1, path, res)path.pop()
时间复杂度: O(n * 2^n)
空间复杂度: O(n)
背诵版
class Solution:def combine(self, n: int, k: int) -> List[List[int]]:res = []self.backtracking(n, k, 1, [], res)return resdef backtracking(self, n, k, start, path, res):if len(path) == k:res.append(path[:])return# for i in range(start, n - (k-len(path)) + 2): # 优化for i in range(start, n + 1):path.append(i)self.backtracking(n, k, i+1, path, res)path.pop()
时间复杂度: O(n * 2^n)
空间复杂度: O(n)
解题思路三:0
时间复杂度: O(n * 2^n)
空间复杂度: O(n)
♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠ ⊕ ♠