python3通过删除字母匹配到字典里最长单词
给定一个字符串和一个字符串字典,找到字典里面最长的字符串,该字符串可以通过删除给定字符串的某些字符来得到。如果答案不止一个,返回长度最长且字典顺序最小的字符串。如果答案不存在,则返回空字符串。
示例 1:
输入:
s = "abpcplea", d = ["ale","apple","monkey","plea"]
输出:
"apple"
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-word-in-dictionary-through-deleting
代码实现:
解题思路:可以使用暴力法,但是性能不高
在力扣上看到有人这样的写法,也比较容易理解。记录📝
py用好系统函数sort()和find()性能会更高
1 class Solution(object): 2 def findLongestWord( s, d): 3 """ 4 :type s: str 5 :type d: List[str] 6 :rtype: str 7 """ 8 d.sort(key=lambda x: (-len(x),x))#将字符串先按长度排序,同样长度按字典序排序 9 # lambda x: (-len(x), x) 10 slen=len(s) 11 for word in d: 12 dwordlen = len(word) 13 ps =0 #母串的指针 14 pd =0 #字典中串的指针 15 while ps<slen and pd<dwordlen: #空字符串不进入循环,长度为1时只循环一次 16 if s[ps]==word[pd]: 17 ps+=1 18 pd+=1 19 else: 20 ps+=1 21 if pd==dwordlen: #如果子串的指针=子串长度,代表每一个字符都找到了 22 return word 23 return '' #都不匹配就返回空字符串 24 # findLongestWord("abpcplea",["ale","apple","monkey","plea"])