N과 M (2)

N과 M (2)

자연수 N과 M이 주어졌을 때, 아래 조건을 만족하는 길이가 M인 수열을 모두 구하는 프로그램을 작성하시오.

  • 1부터 N까지 자연수 중에서 중복 없이 M개를 고른 수열
  • 고른 수열은 오름차순이어야 한다.

https://www.acmicpc.net/problem/15650


import java.util.*;

public class Main {

    static List<Integer> allCase = new ArrayList<>();

    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);

        String input = sc.nextLine();

        int N = Integer.parseInt(input.split(" ")[0]);
        int M = Integer.parseInt(input.split(" ")[1]);

        var reuslt = solution(N, M);

    }

    public static int[] solution(int N, int M) {
        int[] array = new int[N];

        for (int i = 0; i < N; i++) {
            array[i] = i + 1;
        }

        int[] current = new int[M];
        dfs(array, current, 0, 0, M);

        return null;
    }

    public static void dfs(int[] array, int[] current, int last, int depth, int count) {

        if (depth == count) {
            for(int i = 0;i < current.length; i++) {
                System.out.print(current[i]);
                System.out.print(" ");
            }
            System.out.println();
            return;
        }

        for (int i = last; i < array.length; i++) {
            current[depth] = array[i];
            dfs(array, current, i + 1, depth + 1, count);
        }
    }

}