Skip to content

Commit 28fbed1

Browse files
authored
Create 1456-maximum-number-of-vowels-in-a-substring-of-given-length.cpp
1 parent d94ae50 commit 28fbed1

File tree

1 file changed

+45
-0
lines changed

1 file changed

+45
-0
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
/*
2+
Given a string s and an integer k, return the maximum number of vowel letters in any substring of s with length k.
3+
Vowel letters in English are 'a', 'e', 'i', 'o', and 'u'.
4+
5+
Ex.
6+
Input: s = "abciiidef", k = 3
7+
Output: 3
8+
Explanation: The substring "iii" contains 3 vowel letters.
9+
10+
Approach : Sliding Window
11+
12+
Time : O(N)
13+
Space : O(1)
14+
*/
15+
16+
17+
class Solution {
18+
public:
19+
bool isVowel(char ch) {
20+
if(ch == 'a' || ch == 'e' || ch == 'i' || ch == 'o' || ch == 'u')
21+
return true;
22+
return false;
23+
}
24+
int maxVowels(string s, int k) {
25+
int ptr1 = 0, ptr2 = 0, count = 0, maxi = INT_MIN;
26+
while(ptr2 < s.size()) {
27+
if(ptr2 - ptr1 == k) {
28+
maxi = max(count, maxi);
29+
if(maxi == k)
30+
return count;
31+
if(isVowel(s[ptr1++]))
32+
count--;
33+
if(isVowel(s[ptr2++]))
34+
count++;
35+
36+
} else {
37+
if(isVowel(s[ptr2]))
38+
count++;
39+
ptr2++;
40+
}
41+
}
42+
maxi = max(count, maxi);
43+
return maxi;
44+
}
45+
};

0 commit comments

Comments
 (0)