Skip to content

Commit 3023b69

Browse files
committed
Create: 1220-count-vowels-permutation.cpp
1 parent 2303010 commit 3023b69

File tree

1 file changed

+42
-0
lines changed

1 file changed

+42
-0
lines changed

cpp/1220-count-vowels-permutation.cpp

+42
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,42 @@
1+
/*
2+
Given an integer n, our task is to count how many strings of length n can be formed under the following rules:
3+
4+
Each character is a lower case vowel ('a', 'e', 'i', 'o', 'u')
5+
Each vowel 'a' may only be followed by an 'e'.
6+
Each vowel 'e' may only be followed by an 'a' or an 'i'.
7+
Each vowel 'i' may not be followed by another 'i'.
8+
Each vowel 'o' may only be followed by an 'i' or a 'u'.
9+
Each vowel 'u' may only be followed by an 'a'.
10+
Since the answer may be too large, we have to return it modulo 10^9 + 7.
11+
12+
Example. For n = 2, Output = 10
13+
14+
Explanation: All possible strings of length 2 that can be formed as per the given rules are: "ae", "ea", "ei", "ia", "ie", "io", "iu",
15+
"oi", "ou" and "ua".
16+
So we return 10 as our answer.
17+
18+
19+
Time: O(n)
20+
Space: O(1)
21+
22+
*/
23+
24+
25+
class Solution {
26+
const unsigned int mod = 1e9+7;
27+
public:
28+
int countVowelPermutation(int n) {
29+
vector<int> prev(5,1), curr(5, 0);
30+
for(int i=1; i<n; i++) {
31+
curr[0] = prev[1] % mod;
32+
curr[1] = (prev[0] + prev[2]) % mod;
33+
curr[2] = ((prev[0] % mod) + (prev[1] % mod) + (prev[3] % mod) + (prev[4] % mod)) % mod;
34+
curr[3] = (prev[4] + prev[2]) % mod;
35+
curr[4] = prev[0] % mod;
36+
prev = curr;
37+
}
38+
int ans = 0;
39+
for(auto &a:prev) ans = (ans + a) % mod;
40+
return ans;
41+
}
42+
};

0 commit comments

Comments
 (0)