본문 바로가기
알고리즘/백준 - 실버

백준 15656 N과 M (7)

by 호롤롤로루야 2022. 1. 4.

백준 15656 N과 M (7)

1. 문제 링크

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

 

15656번: N과 M (7)

N개의 자연수와 자연수 M이 주어졌을 때, 아래 조건을 만족하는 길이가 M인 수열을 모두 구하는 프로그램을 작성하시오. N개의 자연수는 모두 다른 수이다. N개의 자연수 중에서 M개를 고른 수열

www.acmicpc.net

 

2. 문제 해결에 대한 아이디어

  1. Input을 배열로 받아 정렬하는 로직이 추가되었다.
  2. 이후에는 중복 순열 로직을 적용하여, 중복 값을 허용하기에 visit을 체크하지 않는다.
  3. Input에 따라 Output 양이 많아져서, StringBuilder를 사용하여 시간을 줄일 수 있다.

 

3. 코드

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;

public class Main {

    static int N, M;
    static int[] nums;
    static int[] candidate;
    static StringBuilder sb = new StringBuilder();

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        String[] nm = br.readLine().split(" ");
        N = Integer.parseInt(nm[0]);
        M = Integer.parseInt(nm[1]);

        nums = new int[N];
        candidate = new int[M];

        String[] line = br.readLine().split(" ");
        for (int i = 0; i < N; i++) {
            nums[i] = Integer.parseInt(line[i]);
        }

        Arrays.sort(nums);

        permutation(0);

        System.out.print(sb);
    }

    static void permutation(int depth) {
        if (depth == M) {
            for (int i = 0; i < M; i++) {
                sb.append(candidate[i]).append(" ");
            }
            sb.append("\n");
            return;
        }

        for (int i = 0; i < N; i++) {
            candidate[depth] = nums[i];
            permutation(depth + 1);

        }
    }
}

4. 채점 결과

5. 느낀 점

  1. 중복 순열 로직 외에 Input에 대한 정렬이 필요했다.
  2. Output이 많은 경우, StringBuilder를 적극 활용하자

 

'알고리즘 > 백준 - 실버' 카테고리의 다른 글

백준 15663 N과 M (9)  (0) 2022.01.06
백준 15657 N과 M (8)  (0) 2022.01.05
백준 15655 N과 M (6)  (0) 2022.01.03
백준 15654 N과 M (5)  (0) 2022.01.02
백준 15652 N과 M (4)  (0) 2022.01.01

댓글