当前位置:   article > 正文

126. 单词接龙 II(C++)---BFS、DFS解题_c++单词接龙dfs

c++单词接龙dfs

题目详情

给定两个单词(beginWord 和 endWord)和一个字典 wordList,找出所有从 beginWord 到 endWord 的最短转换序列。转换需遵循如下规则:

每次转换只能改变一个字母。
转换过程中的中间单词必须是字典中的单词。

说明:

  • 如果不存在这样的转换序列,返回一个空列表。
  • 所有单词具有相同的长度。
  • 所有单词只由小写字母组成。
  • 字典中不存在重复的单词。
  • 你可以假设 beginWord 和 endWord 是非空的,且二者不相同。



示例 1:
输入:

beginWord = "hit",
endWord = "cog",
wordList = ["hot","dot","dog","lot","log","cog"]

输出:
[
  ["hit","hot","dot","dog","cog"],
 ["hit","hot","lot","log","cog"]
]

 


示例 2:
输入:

beginWord = "hit"
endWord = "cog"
wordList = ["hot","dot","dog","lot","log"]

输出: []

解释: endWord "cog" 不在字典中,所以不存在符合要求的转换序列。

 

——题目难度:困难


 




这道力扣困难级别的题目很难,借鉴了大神的思路和代码,大致如下:


-下面代码解题 

  1. class Solution {
  2. public:
  3. vector<vector<string>> findLadders(string beginWord, string endWord, vector<string>& wordList) {
  4. vector<vector<string>> ans;
  5. vector<string> path;
  6. if(std::find(wordList.begin(), wordList.end(), endWord) == wordList.end()) return ans;
  7. unordered_map<string,int> depth;
  8. unordered_map<string,vector<string>> neighbor;
  9. queue<string> que;
  10. unordered_set<string> wordSet(wordList.begin(), wordList.end());
  11. que.push(beginWord);
  12. depth[beginWord] = 1;
  13. while(!que.empty()) {
  14. string cur = que.front();
  15. que.pop();
  16. int wordLen = cur.size();
  17. for(int i=0;i<wordLen;i++)
  18. {
  19. string temp = cur;
  20. for(char c = 'a'; c <= 'z'; c++)
  21. {
  22. temp[i] = c;
  23. if(wordSet.count(temp)) {
  24. if(depth.count(temp) == 0) {
  25. depth[temp] = depth[cur] + 1;
  26. que.push(temp);
  27. neighbor[temp].push_back(cur);
  28. } else if(depth[temp] == depth[cur] + 1) {
  29. neighbor[temp].push_back(cur);
  30. }
  31. }
  32. }
  33. }
  34. }
  35. dfs(beginWord, endWord, path, neighbor, ans);
  36. return ans;
  37. }
  38. void dfs(string &beginWord, string &cur, vector<string> path,
  39. unordered_map<string,vector<string>> &neighbor, vector<vector<string>> &ans)
  40. {
  41. if(cur == beginWord) {
  42. path.push_back(cur);
  43. std::reverse(path.begin(), path.end());
  44. ans.push_back(path);
  45. return ;
  46. }
  47. path.push_back(cur);
  48. for(string word: neighbor[cur])
  49. {
  50. dfs(beginWord, word, path, neighbor, ans);
  51. }
  52. }
  53. };

结果

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小蓝xlanll/article/detail/144356
推荐阅读
相关标签
  

闽ICP备14008679号