原文链接: https://leetcode-cn.com/problems/maximum-number-of-vowels-in-a-substring-of-given-length
英文原文
Given a string s
and an integer k
.
Return the maximum number of vowel letters in any substring of s
with length k
.
Vowel letters in English are (a, e, i, o, u).
Example 1:
Input: s = "abciiidef", k = 3 Output: 3 Explanation: The substring "iii" contains 3 vowel letters.
Example 2:
Input: s = "aeiou", k = 2 Output: 2 Explanation: Any substring of length 2 contains 2 vowels.
Example 3:
Input: s = "leetcode", k = 3 Output: 2 Explanation: "lee", "eet" and "ode" contain 2 vowels.
Example 4:
Input: s = "rhythms", k = 4 Output: 0 Explanation: We can see that s doesn't have any vowel letters.
Example 5:
Input: s = "tryhard", k = 4 Output: 1
Constraints:
1 <= s.length <= 10^5
s
consists of lowercase English letters.1 <= k <= s.length
中文题目
给你字符串 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
通过代码
高赞题解
- 知识点:滑动窗口
- 时间复杂度:O(n);n 为 s.size()。
从 0 到 n-1 枚举 i 作为滑动窗口的右端点。初始时,滑动窗口的左端点 j 为 0,当窗口的大小,即 i-j+1 > k 时,向左移动左端点,即 ++j。
对于每个确定的窗口 [j, i],需要维护元音的数量,当一次移动后,只需O(1)检查s[i+1],s[j+1]就可以获得窗口[j+1, i+1] 中的元音数量。
class Solution {
public:
int check(char c) {
if(c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u') {
return 1;
}
return 0;
}
int maxVowels(string s, int k) {
int cnt = 0, anw = 0;
//移动右端点 i
for(int i = 0; i < s.size(); i++) {
cnt += check(s[i]);
//窗口超过 k 了,
if(i >= k) {
//从窗口中移除s[j], j = i-k
cnt -= check(s[i-k]);
}
// 更新下最大值
anw = max(anw, cnt);
}
return anw;
}
};
如果感觉有点意思,可以关注👏HelloNebula👏
- 分享周赛题解
- 分享计算机专业课知识
- 分享C++相关岗位面试题
- 分享专业书籍PDF
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
14700 | 28019 | 52.5% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|