若是單詞列表(words)中的一個單詞包含牌照(licensePlate)中全部的字母,那麼咱們稱之爲完整詞。在全部完整詞中,最短的單詞咱們稱之爲最短完整詞。java
單詞在匹配牌照中的字母時不區分大小寫,好比牌照中的 「P」 依然能夠匹配單詞中的 「p」 字母。ide
咱們保證必定存在一個最短完整詞。當有多個單詞都符合最短完整詞的匹配條件時取單詞列表中最靠前的一個。spa
牌照中可能包含多個相同的字符,好比說:對於牌照 「PP」,單詞 「pair」 沒法匹配,可是 「supper」 能夠匹配。code
示例 1: 輸入:licensePlate = "1s3 PSt", words = ["step", "steps", "stripe", "stepple"] 輸出:"steps" 說明:最短完整詞應該包括 "s"、"p"、"s" 以及 "t"。對於 "step" 它只包含一個 "s" 因此它不符合條件。同時在匹配過程當中咱們忽略牌照中的大小寫。 示例 2: 輸入:licensePlate = "1s3 456", words = ["looks", "pest", "stew", "show"] 輸出:"pest" 說明:存在 3 個包含字母 "s" 且有着最短長度的完整詞,但咱們返回最早出現的完整詞。
注意:ip
牌照(licensePlate)的長度在區域[1, 7]中。
牌照(licensePlate)將會包含數字、空格、或者字母(大寫和小寫)。
單詞列表(words)長度在區間 [10, 1000] 中。
每個單詞 words[i] 都是小寫,而且長度在區間 [1, 15] 中。it
class Solution { public String shortestCompletingWord(String licensePlate, String[] words) { int[] license = new int[26]; for(char c : licensePlate.toCharArray()){ if(c >= 'a' && c <= 'z') license[c - 'a']++; else if(c >= 'A' && c <= 'Z') license[c - 'A']++; } String res = null; for(String word : words){ if(isContains(license,word)) if(res == null || word.length() < res.length()) res = word; } return res; } private boolean isContains(int[] license,String word){ int[] ans = new int[26]; for(char c : word.toCharArray()){ if(c >= 'a' && c <= 'z') ans[c - 'a']++; else if(c >= 'A' && c <= 'Z') ans[c - 'A']++; } for(int i = 0;i < 26;i++) if(ans[i] < license[i]) return false; return true; } }
若是單詞列表(words)中的一個單詞包含牌照(licensePlate)中全部的字母,那麼咱們稱之爲完整詞。在全部完整詞中,最短的單詞咱們稱之爲最短完整詞。io
單詞在匹配牌照中的字母時不區分大小寫,好比牌照中的 「P」 依然能夠匹配單詞中的 「p」 字母。class
咱們保證必定存在一個最短完整詞。當有多個單詞都符合最短完整詞的匹配條件時取單詞列表中最靠前的一個。test
牌照中可能包含多個相同的字符,好比說:對於牌照 「PP」,單詞 「pair」 沒法匹配,可是 「supper」 能夠匹配。word
示例 1: 輸入:licensePlate = "1s3 PSt", words = ["step", "steps", "stripe", "stepple"] 輸出:"steps" 說明:最短完整詞應該包括 "s"、"p"、"s" 以及 "t"。對於 "step" 它只包含一個 "s" 因此它不符合條件。同時在匹配過程當中咱們忽略牌照中的大小寫。 示例 2: 輸入:licensePlate = "1s3 456", words = ["looks", "pest", "stew", "show"] 輸出:"pest" 說明:存在 3 個包含字母 "s" 且有着最短長度的完整詞,但咱們返回最早出現的完整詞。
注意:
牌照(licensePlate)的長度在區域[1, 7]中。
牌照(licensePlate)將會包含數字、空格、或者字母(大寫和小寫)。
單詞列表(words)長度在區間 [10, 1000] 中。
每個單詞 words[i] 都是小寫,而且長度在區間 [1, 15] 中。
class Solution { public String shortestCompletingWord(String licensePlate, String[] words) { int[] license = new int[26]; for(char c : licensePlate.toCharArray()){ if(c >= 'a' && c <= 'z') license[c - 'a']++; else if(c >= 'A' && c <= 'Z') license[c - 'A']++; } String res = null; for(String word : words){ if(isContains(license,word)) if(res == null || word.length() < res.length()) res = word; } return res; } private boolean isContains(int[] license,String word){ int[] ans = new int[26]; for(char c : word.toCharArray()){ if(c >= 'a' && c <= 'z') ans[c - 'a']++; else if(c >= 'A' && c <= 'Z') ans[c - 'A']++; } for(int i = 0;i < 26;i++) if(ans[i] < license[i]) return false; return true; } }