Word Ladder
Last updated
Was this helpful?
Last updated
Was this helpful?
/*
本算法答案由上岸科技提供。
上岸科技是一个专致力于高效培养北美留学生拥有实际面试能力的团体。
我们采用小班化线上,线下教学让学生更快,更好的学习到想要的知识。
团队主要由一群怀揣情怀于美国高校毕业的一线IT公司工程师构成。
我们坚信对于求职者算法并不是全部,合理的技巧加上适当的算法培训能够大大的提升求职成功概率也能大大减少刷题的痛苦。
正如我们的信仰:我们教的是如何上岸而不仅是算法。
更多信息请关注官网:https://www.shanganonline.com/
*/
class Solution {
public int ladderLength(String beginWord, String endWord, List<String> wordList) {
Set<String> dict = new HashSet<>(wordList);
if (!dict.contains(endWord)) {
return 0;
}
Queue<String> queue = new ArrayDeque<>();
queue.offer(beginWord);
int level = 1;
while (!queue.isEmpty()) {
int size = queue.size();
for (int i = 0; i < size; i++) {
String word = queue.poll();
if (Objects.equals(word, endWord)) {
return level;
}
int len = word.length();
for (int j = 0; j < len; j++) {
char[] array = word.toCharArray();
for (int k = 0; k < 26; k++) {
array[j] = (char)('a' + k);
String newWord = new String(array);
if (dict.contains(newWord)) {
queue.offer(newWord);
dict.remove(newWord);
}
}
}
}
level++;
}
return 0;
}
}