https://school.programmers.co.kr/learn/courses/30/lessons/84512
문제
사전에 알파벳 모음 'A', 'E', 'I', 'O', 'U'만을 사용하여 만들 수 있는, 길이 5 이하의 모든 단어가 수록되어 있습니다. 사전에서 첫 번째 단어는 "A"이고, 그다음은 "AA"이며, 마지막 단어는 "UUUUU"입니다.
단어 하나 word가 매개변수로 주어질 때, 이 단어가 사전에서 몇 번째 단어인지 return 하도록 solution 함수를 완성해주세요.
풀이
모든 조합에 대해 DFS를 돌린다. 이후 list.indexOf(word)로 인덱스를 찾는다.
코드
import java.util.*;
class Solution {
static ArrayList<String> list = new ArrayList<>();
public int solution(String word) {
dfs("AEIOU", "", 0);
Collections.sort(list);
/*for(String str : list){ 차이는 없다.
answer++;
if(word.equals(str)) break;
}*/
int answer = list.indexOf(word);
return answer+1;
}
static void dfs(String str, String s, int depth){
if(depth == str.length()) return;
for(int i=0; i<str.length(); i++){
list.add(s+str.charAt(i));
dfs(str, s+str.charAt(i), depth+1);
}
}
}