Combinations

Question

Problem Statement

Given two integers n and k,
return all possible combinations of k numbers out of 1 … n.

Example

For example,
If n = 4 and k = 2, a solution is:
[[2,4],[3,4],[2,3],[1,2],[1,3],[1,4]]

题解

套用 Permutations 模板。

Java

  1. public class Solution {
  2. public List<List<Integer>> combine(int n, int k) {
  3. assert(n >= 1 && n >= k && k >= 1);
  4. List<List<Integer>> result = new ArrayList<List<Integer>>();
  5. List<Integer> list = new ArrayList<Integer>();
  6. dfs(n, k, 1, list, result);
  7. return result;
  8. }
  9. private void dfs(int n, int k, int pos, List<Integer> list,
  10. List<List<Integer>> result) {
  11. if (list.size() == k) {
  12. result.add(new ArrayList<Integer>(list));
  13. return;
  14. }
  15. for (int i = pos; i <= n; i++) {
  16. list.add(i);
  17. dfs(n, k, i + 1, list, result);
  18. list.remove(list.size() - 1);
  19. }
  20. }
  21. }

源码分析

注意递归helper(n, k, i + 1, list, result);中的i + 1,不是pos + 1

复杂度分析

状态数 C_n^2, 每组解有两个元素,故时间复杂度应为 O(n^2). list 只保留最多两个元素,空间复杂度 O(1).