두 개의 단어 begin, target과 단어의 집합 words가 있습니다. 아래와 같은 규칙을 이용하여 begin에서 target으로 변환하는 가장 짧은 변환 과정을 찾으려고 합니다.
두 개의 단어 begin, target과 단어의 집합 words가 매개변수로 주어질 때, 최소 몇 단계의 과정을 거쳐 begin을 target으로 변환할 수 있는지 return 하도록 solution 함수를 작성해주세요.
각 단어는 알파벳 소문자로만 이루어져 있습니다.
각 단어의 길이는 3 이상 10 이하이며 모든 단어의 길이는 같습니다.
words에는 3개 이상 50개 이하의 단어가 있으며 중복되는 단어는 없습니다.
begin과 target은 같지 않습니다.
변환할 수 없는 경우에는 0를 return 합니다.
예제 #1
문제에 나온 예와 같습니다.
예제 #2
target인 cog는 words 안에 없기 때문에 변환할 수 없습니다.
class Solution {
static int answer = -1;
public int solution(String begin, String target, String[] words) {
boolean[] visited = new boolean[words.length];
//예외처리
boolean flag = false;
for(String word : words){
if(word.contentEquals(target)){
flag = true;
break;
}
}
if(flag){
dfs(words, begin, target, visited, 0);
}else{
answer=0;
}
return answer;
}
public static void dfs(String[] words, String begin, String target, boolean[] visited, int count){
if(begin.contentEquals(target)){
answer = count;
}else{
for(int i=0; i<words.length; i++){
if(visited[i]==false){
visited[i] = true;
int rightCount = 0;
int finalCount = 0;
for(int j=0; j<words[i].length(); j++){
if(begin.substring(j,j+1).contentEquals(target.substring(j,j+1))){
finalCount++;
}
if(begin.substring(j,j+1).contentEquals(words[i].substring(j,j+1))){
rightCount++;
}
}
if(finalCount == words[i].length()-1){
dfs(words, target, target, visited, count+1);
break;
}
if(rightCount == words[i].length()-1){
dfs(words, words[i], target, visited, count+1);
}
}
}
}
}
}
if(begin.substring(j,j+1).contentEquals(words[i].substring(j,j+1))){
rightCount++;
}
if(begin.substring(j,j+1).contentEquals(target.substring(j,j+1))){
finalCount++;
}
if(finalCount == words[i].length()-1){
dfs(words, target, target, visited, count+1);
break;
}
if(rightCount == words[i].length()-1){
dfs(words, words[i], target, visited, count+1);
}