题目链接:https://leetcode.com/problems/word-ladder/
题目:
Given two words (beginWord and endWord), and a dictionary's word list, find the length of shortest transformation sequence from beginWordto endWord, such that:
For example,
Given:
beginWord = "hit"
endWord = "cog"
wordList = ["hot","dot","dog","lot","log"]
As one shortest transformation is "hit" -> "hot" -> "dot" -> "dog" -> "cog"
,
return its length 5
.
Note:
class Word { int steps; String word; public Word(String word, int steps) { this.word = word; this.steps = steps; } } public int ladderLength(String beginWord, String endWord, Set<String> wordList) { Queue<Word> queue = new LinkedList<Word>(); queue.offer(new Word(beginWord, 1)); wordList.add(endWord); while (!queue.isEmpty()) { Word w = queue.poll(); if (w.word.equals(endWord)) { return w.steps; } for (int i = 0; i < w.word.length(); i++) { char[] ws = w.word.toCharArray(); for (char j = 'a'; j < 'z'; j++) { ws[i] = j; String ns = new String(ws); if (wordList.contains(ns)) { queue.offer(new Word(ns, w.steps + 1)); wordList.remove(ns); } } } } return 0; }