回溯77.组合

57 阅读1分钟

77.组合

返回范围 [1, n] 中所有可能的 k 个数的组合

输入: n = 4, k = 2
输出:
[
  [2,4],
  [3,4],
  [2,3],
  [1,2],
  [1,3],
  [1,4],
]

image.png

class Solution {
    List<List<Integer>> result = new ArrayList<>();
    LinkedList<Integer> path = new LinkedList<>();
    public List<List<Integer>> combine(int n, int k) {
        combineHelper(n, k, 1);
        return result;
    }
    public void combineHelper(int n, int k, int startIndex){
        if(path.size() == k){
            result.add(new ArrayList<>(path));
            return;
        }
        for(int i = startIndex; i <= n - (k - path.size()) + 1; i++){
            path.add(i);//外层循环,确定第一个数字
            combineHelper(n, k, i+1);//内层循环,确定第二个数字
            path.removeLast();
        }
    }
}