zoukankan      html  css  js  c++  java
  • [LeetCode] 127. Word Ladder 单词阶梯

    Given two words (beginWord and endWord), and a dictionary's word list, find the length of shortest transformation sequence from beginWord to endWord, such that:

    1. Only one letter can be changed at a time.
    2. Each transformed word must exist in the word list. Note that beginWord is not a transformed word.

    Note:

    • Return 0 if there is no such transformation sequence.
    • All words have the same length.
    • All words contain only lowercase alphabetic characters.
    • You may assume no duplicates in the word list.
    • You may assume beginWord and endWord are non-empty and are not the same.

    Example 1:

    Input:
    beginWord = "hit",
    endWord = "cog",
    wordList = ["hot","dot","dog","lot","log","cog"]
    
    Output: 5
    Explanation: As one shortest transformation is "hit" -> "hot" -> "dot" -> "dog" -> "cog",
    return its length 5.
    

    Example 2:

    Input:
    beginWord = "hit"
    endWord = "cog"
    wordList = ["hot","dot","dog","lot","log"]
    
    Output: 0
    Explanation: The endWord "cog" is not in wordList, therefore no possible transformation.

    给一个单词字典,把一个起始单词变为结束单词,每次只能变化一个字符,而且变化的中间词都在字典中,求最短的变化路径。

    本质上是一个求无向无权图的单源最短路径问题,首选的解法是广度优先遍历(BFS)。
    beginWord相当于路径的源点,而endWord相当于路径的终点。dictionary中的每个单词相当于一个节点,相互之间只差一个字符的两个单词其对应节点相互邻接,从而构成了一个无向无权图。
    为了进行广度优先遍历,我们需要一个队列Queue作为辅助的数据结构。在进入循环之前,先把beginWord添加到队列中以初始化队列;当Queue为空时,结束循环。
    由于题目要求的是路径的长度,我们可以用一个变量来记录广度优先遍历的当前层次数,并用一个内循环来完成一层遍历。这样,当找到endWord时,结束遍历,此时该变量的值就是路径的长度。

    这道题的场景与图论中求单源最短路径不同之处在于,图论中遍历一个节点的邻接节点通常可以直接从该节点的属性中读取,而这道题中无法直接得到一个单词的邻接单词。
    对于这个问题,有两种可以参考的解决思路:
    (1)用一个Set来记录已经处理过的单词。每次要求一个单词A的邻接单词时,就遍历字典——如果当前单词不在Set(即还没有被处理过),就把当前单词入队列Queue;否则,表明该单词已经处理过,直接略过。
    这种求邻接单词的方法需要遍历整个字典,因此时间复杂度为O(n),其中n表示字典的规模。在最坏情况下,要对字典中的每一个单词都处理之后才能得到这道题的最终结果,因此这种解法的总的时间复杂度是O(n^2)。用到了两个辅助的数据结构——Set和Queue,最坏情形下需要2*n的辅助空间,因此空间复杂度为O(n)。

    参考:

    http://blog.csdn.net/lemonpi/article/details/78759263

    http://www.cnblogs.com/love-yh/p/7136573.html

    Java:

    class Solution {    
        public int ladderLength(String beginWord, String endWord, List<String> wordList) {    
            Set<String> known = new HashSet<>();    
            Queue<String> queue = new LinkedList<>();    
                
            queue.offer(beginWord);    
            for(int i = 2; !queue.isEmpty(); i++) {    
                int size = queue.size();    
                for(int j = 0; j < size; j++) {    
                    String str = queue.poll();    
                    known.add(str);    
                    wordList.remove(str);    
                    for(String s : wordList) {    
                        if(!known.contains(s) && isNeighbor(str, s)) {    
                            if(s.equals(endWord)) {    
                                return i; //Found it!    
                            } else {    
                                queue.offer(s);    
                            }    
                        }    
                    }    
                }    
            }    
                
            return 0;    
        }    
            
        private boolean isNeighbor(String str1, String str2) {    
            int length = str1.length();    
            int diff = 0;    
                
            for(int i = 0; i < length; i++) {    
                if(str1.charAt(i) != str2.charAt(i)) {    
                    diff++;    
                }    
            }    
                
            return diff == 1;    
        }    
    }   

    Python: BFS

    class Solution(object):
        def ladderLength(self, beginWord, endWord, wordList):
            """
            :type beginWord: str
            :type endWord: str
            :type wordList: List[str]
            :rtype: int
            """
            distance, cur, visited, lookup = 0, [beginWord], set([beginWord]), set(wordList)
    
            while cur:
                next_queue = []
    
                for word in cur:
                    if word == endWord:
                        return distance + 1
                    for i in xrange(len(word)):
                        for j in 'abcdefghijklmnopqrstuvwxyz':
                            candidate = word[:i] + j + word[i + 1:]
                            if candidate not in visited and candidate in lookup:
                                next_queue.append(candidate)
                                visited.add(candidate)
                distance += 1
                cur = next_queue
    
            return 0  

    C++:

    class Solution {
    public:
        int ladderLength(string beginWord, string endWord, vector<string>& wordList) {
            unordered_set<string> dict(wordList.begin(), wordList.end());
            unordered_map<string, int> m;
            queue<string> q;
            m[beginWord] = 1;
            q.push(beginWord);
            while (!q.empty()) {
                string word = q.front(); q.pop();
                for (int i = 0; i < word.size(); ++i) {
                    string newWord = word;
                    for (char ch = 'a'; ch <= 'z'; ++ch) {
                        newWord[i] = ch;
                        if (dict.count(newWord) && newWord == endWord) return m[word] + 1;
                        if (dict.count(newWord) && !m.count(newWord)) {
                            q.push(newWord);
                            m[newWord] = m[word] + 1;
                        }   
                    }
                }
            }
            return 0;
        }
    };  

    类似题目:

    [LeetCode] 126. Word Ladder II 词语阶梯 II

    All LeetCode Questions List 题目汇总

  • 相关阅读:
    spoj 104 Highways (最小生成树计数)
    bzoj 1912 巡逻(树直径)
    BZOJ 3534 重建
    BZOJ 3143 游走(高斯消元)
    在Windows下编译PyCaffe
    caffe的Matlab接口的使用方法
    NewRelic性能监控之APM
    MariaDB-10.x二进制包安装
    mongoDB-3.x Balancer Management
    mongoDB-3.x集群管理
  • 原文地址:https://www.cnblogs.com/lightwindy/p/8534388.html
Copyright © 2011-2022 走看看