LeetCode 190周赛T2. 定长子串中元音的最大数目

题目

给你字符串 s 和整数 k 。

请返回字符串 s 中长度为 k 的单个子字符串中可能包含的最大元音字母数。

英文中的 元音字母 为(a, e, i, o, u)。

示例 1:

输入:s = "abciiidef", k = 3
输出:3
解释:子字符串 "iii" 包含 3 个元音字母。
示例 2:

输入:s = "aeiou", k = 2
输出:2
解释:任意长度为 2 的子字符串都包含 2 个元音字母。
示例 3:

输入:s = "leetcode", k = 3
输出:2
解释:"lee""eet""ode" 都包含 2 个元音字母。
示例 4:

输入:s = "rhythms", k = 4
输出:0
解释:字符串 s 中不含任何元音字母。
示例 5:

输入:s = "tryhard", k = 4
输出:1
 

提示:

1 <= s.length <= 10^5
s 由小写英文字母组成
1 <= k <= s.length

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/maximum-number-of-vowels-in-a-substring-of-given-length
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/maximum-number-of-vowels-in-a-substring-of-given-length
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解

一道基础的滑窗的问题,即当前长度为k的字符串中元音字符的数量,我们可以维护一个长度为k的数组即可,首先遍历 字符串s 的前 k 个字符。之后不断地更新就好啦!如果s[index-k]是元音字母,则计数器减一,如果 s[index]是元音字母,则计数器加一。

class Solution {
     
    public boolean check(char ch){
     
        return ch=='a' || ch=='e' || ch=='i' || ch=='o' || ch=='u';
    }
    public int maxVowels(String s, int k) {
     
        int ans = 0;
        int tmp = 0;
        int index = 0;
        while(index<s.length() && index<k){
     
            if( check(s.charAt(index)) ){
     
                tmp ++;
            }
            index++;
        }
        ans = Math.max(ans, tmp);
        while(index < s.length()) {
     
        	if( check(s.charAt(index-k)) ){
     
        		tmp --;
        	}
        	if(check(s.charAt(index))) {
     
        		tmp ++;
                ans = Math.max(ans,tmp);
        		if(ans == k)
        			return k;
        	}
            index++;
        }
        return ans;
    }
}

你可能感兴趣的:(LeetCode,leetcode)