[완전탐색] 모음사전

[완전탐색] 모음사전

사전에 알파벳 모음 'A', 'E', 'I', 'O', 'U'만을 사용하여 만들 수 있는, 길이 5 이하의 모든 단어가 수록되어 있습니다. 사전에서 첫 번째 단어는 "A"이고, 그다음은 "AA"이며, 마지막 단어는 "UUUUU"입니다.

단어 하나 word가 매개변수로 주어질 때, 이 단어가 사전에서 몇 번째 단어인지 return 하도록 solution 함수를 완성해주세요.

https://school.programmers.co.kr/learn/courses/30/lessons/84512


import java.util.*;

public class Main67 {

    static int result = 0;
    static int index = 0;

    public static void main(String[] args) {


        String word = "AAAAE";

        var reuslt = solution(word);

        System.out.println("===================");
        System.out.println(reuslt);
    }

    public static int solution(String word) {

        char[] array = {'A', 'E', 'I', 'O', 'U'};
        char[] current = new char[5];

        System.out.println(Arrays.toString(array));

        dfs(array, current, 0, word.toCharArray());

        return index;
    }

    public static void dfs(char[] array, char[] current, int depth, char[] goal) {
        if (new String(current, 0, depth).equals(new String(goal))) {
            index = result;
        }

        if (array.length == depth) {

            return;
        }

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

    }

}