Longest Word in Dictionary through Deleting

版权声明:欢迎转载,请注明出处 https://blog.csdn.net/xinzhongtianxia/article/details/72594348

Given a string and a string dictionary, find the longest string in the dictionary that can be formed by deleting some characters of the given string. If there are more than one possible results, return the longest word with the smallest lexicographical order. If there is no possible result, return the empty string.

Example 1:

Input:
s = "abpcplea", d = ["ale","apple","monkey","plea"]

Output: 
"apple"

Example 2:

Input:
s = "abpcplea", d = ["a","b","c"]

Output: 
"a"

Note:

  1. All the strings in the input will only contain lower-case letters.
  2. The size of the dictionary won't exceed 1,000.
  3. The length of all the strings in the input won't exceed 1,000.



public class Solution {
    public String findLongestWord(String s, List<String> d) {
        if (d == null || s == null) {
            return "";
        }
        int length = 0;
        String re = "";
        char[] sArray = s.toCharArray();
        for (String ss : d) {
            char[] array = ss.toCharArray();
            int j = 0;
                for (int i = 0; i < sArray.length && j < array.length; i++) {
                    if (sArray[i] == array[j]) {
                        j++;
                    }
                }
                if (j == array.length) {
                   if (j > length) {
                       length = j;
                       re = ss;
                   } else if (j == length) {
                       re = re.compareTo(ss) < 0 ? re : ss;
                   }
                }
        }
        return re;
    }
}







猜你喜欢

转载自blog.csdn.net/xinzhongtianxia/article/details/72594348
今日推荐