Problem Summary
Given two words (start and end), and a dictionary,(All words have the same length), find all shortest transformation sequence(s) from start to end, such that:
- Only one letter can be changed at a time
- Each intermediate word must exist in the dictionary
Solution
We can use Breadth First Search(BFS) to find the shortest transformation sequences. In order to save time, we can use the container “unordered_set” in STL to keep a record of visited strings.
In addition, we need to find all shortest sequences, not just any of them, so I think there are two things we need to do.
- Instead of stopping the search right after we find the shortest length, we continue the search until next level of the search tree. 
- We allow there to be same strings in each level of the search tree. 
 To implement this, we can use two unordered sets, pre_visited and cur_level_visited. The first contains all strings that have been searched before this level, while the second only contains the strings of this level. Suppose we have a string S in current level, if S is in the dictionary and not in the pre_visited set, then we add it to the end of the queue and insert it into the cur_level_visited set. After each level, we insert all elements in cur_level_visited set to pre_visited set, and clear the cur_level_visited set.
Code
| 
 | 
 |