524.通过删除字母匹配到字典里的最长单词
题目描述
Leetcode:
https://leetcode-cn.com/problems/longest-word-in-dictionary-through-deleting/
给定一个字符串和一个字符串字典,找到字典里面最长的字符串,该字符串可以通过删除给定字符串的某些字符来得到。如果答案不止一个,返回长度最长且字典顺序最小的字符串。如果答案不存在,则返回空字符串。
示例 1:
输入:
s = “abpcplea”, d = [“ale”,“apple”,“monkey”,“plea”]
输出:
“apple”
示例 2:
输入:
s = “abpcplea”, d = [“a”,“b”,“c”]
输出:
“a”
说明:
所有输入的字符串只包含小写字母。
字典的大小不会超过 1000。
所有输入的字符串长度不会超过 1000。
解题思路
遍历字符串字典找到最长单词,使用双指针判断一个字符串是否为另一个字符串的子序列
java代码
class Solution {
public String findLongestWord(String s, List<String> d) {
String longestWord = "";
for(String target : d){
int len1 = longestWord.length(), len2 = target.length();
if(len1 > len2 || (len1 == len2 && longestWord.compareTo(target) < 0))
continue;
if(isSubstr(s, target))
longestWord = target;
}
return longestWord;
}
private boolean isSubstr(String s, String target){
int i = 0, j = 0;
while(i < s.length() && j < target.length()){
if(s.charAt(i) == target.charAt(j))
j++;
i++;
}
return j == target.length();
}
}
python代码
class Solution:
def findLongestWord(self, s: str, d: List[str]) -> str:
#先将d中的单词按照长度由长到短排序,再按照字母顺序,从小到大
d.sort(key = lambda x : [-len(x), x])
ans = ""
for word in d:
i = 0
tag = 1
for j in word:
k = s.find(j, i)
if k == -1:
tag = 0
break
i = k + 1
if tag == 1:
ans = word
break
return ans
本文参考自CyC2018的GitHub项目更多内容访问如下链接
https://github.com/CyC2018/CS-Notes/