N과 M (1)

N과 M (1)

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

  • 1부터 N까지 자연수 중에서 중복 없이 M개를 고른 수열

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


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];
        int[] current = new int[M];
        boolean[] used = new boolean[N];

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


        dfs(array, current, used, 0, M);

        return null;
    }

    public static void dfs(int[] array, int[] current, boolean[] used, 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 = 0; i < array.length; i++) {

            if (used[i]) {
                continue;
            }
            used[i] = true;
            current[depth] = array[i];
            dfs(array, current, used, depth + 1, count);
            used[i] = false;

        }

    }

}