组合:给定两个整数 n 和 k,返回 1 ... n 中所有可能的 k 个数的组合java实现

题目描述

https://leetcode-cn.com/problems/combinations

给定两个整数 n 和 k,返回 1 ... n 中所有可能的 k 个数的组合。

示例:

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

思路:解空间内寻找有效解,回溯法和DFS,回溯法的相关思想可以看https://blog.csdn.net/zy854816286/article/details/105595910

import java.util.*;
class Solution {
    List> res=new ArrayList>();
    public List> combine(int n, int k) {
        if(n<1||k<1)
        return res;
        int[] num=new int[n];
        for(int i=0;i list=new ArrayList();
        dfs(num,k,0,0,list,res);
        return res;
    }
    //count为当前读取数字个数,当count==k时输出
    //start为当前读取到数组的多少位
    public void dfs(int[] num,int k,int count,int start,List list,List> res){
        if(count==k){
            res.add(new ArrayList(list));
            return;
        }
        for(int i=start;i

 

你可能感兴趣的:(DFS,LeetCode,leetcode,dfs,java)