백준 - 1759 - 암호 만들기

2021. 3. 23. 17:53Algorithm

www.acmicpc.net/problem/1759

 

1759번: 암호 만들기

첫째 줄에 두 정수 L, C가 주어진다. (3 ≤ L ≤ C ≤ 15) 다음 줄에는 C개의 문자들이 공백으로 구분되어 주어진다. 주어지는 문자들은 알파벳 소문자이며, 중복되는 것은 없다.

www.acmicpc.net

 

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
import java.util.Arrays;
import java.util.HashSet;
import java.util.Scanner;
import java.util.Set;
 
/**
 * 백준 - 1759
 */
public class 암호_만들기 {
    private static String[] characters;
    private static boolean[] isVisit;
    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);
        int L = Integer.parseInt(sc.nextLine().split(" ")[0]);
        characters = sc.nextLine().split(" ");
        Arrays.sort(characters);
        isVisit = new boolean[characters.length];
        printCombination(L, 0);
    }
 
    private static void printCombination(int depth, int start) {
        //종료
        if(depth == 0) {
            StringBuilder sb = new StringBuilder();
            for(int i=0; i<isVisit.length; i++) {
                if(isVisit[i]) {
                    sb.append(characters[i]);
                }
            }
 
            if(isValid(sb)) {
                System.out.println(sb);
            }
            return;
        }
 
        //프로세스
        for(int i=start; i<characters.length; i++) {
            isVisit[i] = true;
            printCombination(depth-1, i+1);
            isVisit[i] = false;
        }
    }
 
    private static boolean isValid(StringBuilder sb) {
        Set<Character> collections = new HashSet<>(Arrays.asList('a','e','i','o','u'));
        int collectionCount = 0// 모음수
        int consonantCount = 0// 자음수
 
        for(int i=0; i<sb.length(); i++) {
            if(collections.contains(sb.charAt(i))) {
                collectionCount++;
            } else {
                consonantCount++;
            }
        }
 
        return collectionCount > 0 && consonantCount > 1;
    }
 
}
 
cs

알고리즘

  • 조합
  • 사전순으로 출력하기 위해 미리 정렬이 되어있어야한다.
  • 조합 알고리즘에 의해 정답 후보(?)가 된 조합 요소들에 대해서 모음 1개와 자음 2개 이상으로 구성되어 있는지 다시 검사하여 최종 정답을 알아낸다.

'Algorithm' 카테고리의 다른 글

백준 - 2644 - 촌수계산  (0) 2021.03.25
백준 - 1987 - 알파벳  (0) 2021.03.25
백준 - 6603 - 로또  (0) 2021.03.23
프로그래머스 - 힙 - 이중우선순위큐  (0) 2021.03.23
프로그래머스 - 힙 - 디스크 컨트롤러  (0) 2021.03.22