题目
字典 wordList 中从单词 beginWord 和 endWord 的 转换序列 是一个按下述规格形成的序列 beginWord -> s1 -> s2 -> … -> sk:
每一对相邻的单词只差一个字母。
对于 1 <= i <= k 时,每个 si 都在 wordList 中。注意, beginWord 不需要在 wordList 中。
sk == endWord
给你两个单词 beginWord 和 endWord 和一个字典 wordList ,返回 从 beginWord 到 endWord 的 最短转换序列 中的 单词数目 。如果不存在这样的转换序列,返回 0 。
示例 1:
输入:beginWord = "hit", endWord = "cog", wordList = ["hot","dot","dog","lot","log","cog"] 输出:5 解释:一个最短转换序列是 "hit" -> "hot" -> "dot" -> "dog" -> "cog", 返回它的长度 5。
示例 2:
输入:beginWord = "hit", endWord = "cog", wordList = ["hot","dot","dog","lot","log"] 输出:0 解释:endWord "cog" 不在字典中,所以无法进行转换。
解题
方法一:bfs
这里无向图求最短路,广搜最为合适,广搜只要搜到了终点,那么一定是最短的路径
class Solution { public: int ladderLength(string beginWord, string endWord, vector<string>& wordList) { unordered_set<string> wordSet(wordList.begin(),wordList.end()); if(wordSet.count(endWord)==0) return 0; unordered_map<string,int> mp; //<word, 查询到这个word路径长度> queue<string> q; q.push(beginWord); mp[beginWord]=1; while(!q.empty()){ string cur=q.front(); q.pop(); int path=mp[cur]; for(int i=0;i<cur.size();i++){ string next=cur; for(int j=0;j<26;j++){ next[i]=j+'a'; if(next==endWord) return path+1; if(wordSet.count(next)&&mp.count(next)==0){// wordSet出现了next,并且next没有被访问过 mp[next]=path+1; q.push(next); } } } } return 0; } };
由于复杂度的原因,如果采用遍历wordList,在判断是否就一个字母换掉,那么500010次执行
这里采用枚举的方法,最多遍历 1026次。