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:
- Only one letter can be changed at a time.
- Each transformed word must exist in the word list. Note that beginWord is not a transformed word.
For example,
Given:
beginWord ="hit"
endWord ="cog"
wordList =["hot","dot","dog","lot","log","cog"]
As one shortest transformation is
"hit" -> "hot" -> "dot" -> "dog" -> "cog"
,
return its length5
.
给定起始单词和结束单词,利用wordlist中的单词爬梯子,每次只允许改变一个字母,返回能够到达结束词的最短路径长度
分析
一开始用了回溯,相当于暴力了所有可能,超时了,看了解答,这道题应该用广度优先搜索(BFS):
需要用到队列Queue
因为要求最短路径,如果我们用深度优先搜索的话必须遍历所有的路径才能确定哪个是最短的,而用广度优先搜索的话,一旦搜到目标就可以提前终止了,而且根据广度优先的性质,我们肯定是先通过较短的路径搜到目标。另外,为了避免产生环路和重复计算,我们找到一个存在于字典的新的词时,就要把它从字典中移去。这么做是因为根据广度优先,我们第一次发现词A的路径一定是从初始词到词A最短的路径,对于其他可能再经过词A的路径,我们都没有必要再计算了。
代码
|
Remove Invalid Parentheses
emove the minimum number of invalid parentheses in order to make the input string valid. Return all possible results.
Note: The input string may contain letters other than the parentheses
(
and)
.Examples:
> "()())()" -> ["()()()", "(())()"]> "(a)())()" -> ["(a)()()", "(a())()"]> ")(" -> [""]>
思路:
BFS:set+queue
用set记录出现过的字符串,将字符串放入queue,一次删除一个字符,如果在set中没有出现,放入queue。
每次弹出一个字符串判断是否为合法字符串,如果合法加入结果集
由于只能返回去掉字符最少的字符串,所以采用按层遍历的方式,一旦某一层出现了合法字符串,本层遍历结束之后就返回结果,不再验证后面的字符串
DFS:
论坛上的高票解法,非常巧妙
核心思想就是记录当前出现过的左右括号数目,当右括号多于左括号时,说明从此位置向前可以删掉一个右括号,用dfs依次遍历删除此位置之前的每一个右括号,这里需要注意的有几点:
- 对于相邻的右括号,删除哪一个都一样,所以只删除第一个就好
- 需要记录上一轮删除右括号的位置,下一轮dfs的时候不需要再删除在此之前的右括号
- dfs到字符串末尾,说明字符串中的右括号不比左括号多了,但还需要保证左括号不比右括号多,所以需要将字符串翻转,再来一遍,最后满足条件了才可以放入结果集
很难写出来的,看了答案写的,还没吃透,需要复习!!!
代码:
bfs:
|
dfs:
|