Java实现 LeetCode 524 通过删除字母匹配到字典里最长单词(又是一道语文题)

524. 通过删除字母匹配到字典里最长单词

给定一个字符串和一个字符串字典,找到字典里面最长的字符串,该字符串可以通过删除给定字符串的某些字符来得到。如果答案不止一个,返回长度最长且字典顺序最小的字符串。如果答案不存在,则返回空字符串。

示例 1:

输入:
s = “abpcplea”, d = [“ale”,“apple”,“monkey”,“plea”]

输出:
“apple”
示例 2:

输入:
s = “abpcplea”, d = [“a”,“b”,“c”]

输出:
“a”
说明:

所有输入的字符串只包含小写字母。
字典的大小不会超过 1000。
所有输入的字符串长度不会超过 1000。

class Solution {
      public String findLongestWord(String s, List<String> d) {

        Collections.sort(d);
        String res = "";
        for(String word:d){
            if(check(s,word)&&word.length()>res.length()){
                res = word;
            }
        }
        
        return res;
    }
    
    /*利用双指针法判断子串*/
    public boolean check(String s,String p){
        char[] ss = s.toCharArray();
        char[] pp = p.toCharArray();
        int i=0,j=0;
        while(i<ss.length&&j<pp.length){
            if(pp[j]==ss[i])
                j++;
            i++;
        }
        return j==pp.length;
    }
}
原文地址:https://www.cnblogs.com/a1439775520/p/12946407.html