标签:col log 返回 inpu https res etc www pos
Given two integers n and k, return all possible combinations of k numbers out of 1 ... n.
Example:
Input: n = 4, k = 2 Output: [ [2,4], [3,4], [2,3], [1,2], [1,3], [1,4], ]
组合。题意是给一个数字N和一个数字K,请你返回 1 ... n 中所有可能的 k 个数的组合。依然是backtracking类的题目,注意这里N的下限是从1开始。同时这个题又规定了combination的数字个数只能为K个所以helper函数的退出条件是K == 0。
时间 - ?
空间O(n)
Java实现
1 class Solution { 2 public List<List<Integer>> combine(int n, int k) { 3 List<List<Integer>> res = new ArrayList<>(); 4 helper(res, new ArrayList<>(), n, k, 1); 5 return res; 6 } 7 8 private void helper(List<List<Integer>> res, List<Integer> list, int n, int k, int start) { 9 if (k == 0) { 10 res.add(new ArrayList<>(list)); 11 return; 12 } 13 for (int i = start; i <= n; i++) { 14 list.add(i); 15 helper(res, list, n, k - 1, i + 1); 16 list.remove(list.size() - 1); 17 } 18 } 19 }
标签:col log 返回 inpu https res etc www pos
原文地址:https://www.cnblogs.com/cnoodle/p/12996898.html