子字符串 是字符串中的一个连续(非空)的字符序列。
元音子字符串 是 仅 由元音('a'
、'e'
、'i'
、'o'
和 'u'
)组成的一个子字符串,且必须包含 全部五种 元音。
给你一个字符串 word
,统计并返回 word
中 元音子字符串的数目 。
示例 1:
输入:word = "aeiouu" 输出:2 解释:下面列出 word 中的元音子字符串(斜体加粗部分): - "aeiouu" - "aeiouu"
示例 2:
输入:word = "unicornarihan" 输出:0 解释:word 中不含 5 种元音,所以也不会存在元音子字符串。
示例 3:
输入:word = "cuaieuouac" 输出:7 解释:下面列出 word 中的元音子字符串(斜体加粗部分): - "cuaieuouac" - "cuaieuouac" - "cuaieuouac" - "cuaieuouac" - "cuaieuouac" - "cuaieuouac" - "cuaieuouac"
示例 4:
输入:word = "bbaeixoubb" 输出:0 解释:所有包含全部五种元音的子字符串都含有辅音,所以不存在元音子字符串。
提示:
1 <= word.length <= 100
word
仅由小写英文字母组成
方法一:暴力枚举
class Solution:
def countVowelSubstrings(self, word: str) -> int:
n = len(word)
s = set('aeiou')
return sum(set(word[i:j]) == s for i in range(n) for j in range(i + 1, n + 1))
class Solution {
public int countVowelSubstrings(String word) {
int n = word.length();
int ans = 0;
for (int i = 0; i < n; ++i) {
Set<Character> t = new HashSet<>();
for (int j = i; j < n; ++j) {
char c = word.charAt(j);
if (!isVowel(c)) {
break;
}
t.add(c);
if (t.size() == 5) {
++ans;
}
}
}
return ans;
}
private boolean isVowel(char c) {
return c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u';
}
}
class Solution {
public:
int countVowelSubstrings(string word) {
int ans = 0;
int n = word.size();
for (int i = 0; i < n; ++i) {
unordered_set<char> t;
for (int j = i; j < n; ++j) {
char c = word[j];
if (!isVowel(c)) break;
t.insert(c);
ans += t.size() == 5;
}
}
return ans;
}
bool isVowel(char c) {
return c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u';
}
};
func countVowelSubstrings(word string) int {
ans, n := 0, len(word)
for i := range word {
t := map[byte]bool{}
for j := i; j < n; j++ {
c := word[j]
if !(c == 'a' || c == 'e' || c == 'i' || c == 'o' || c == 'u') {
break
}
t[c] = true
if len(t) == 5 {
ans++
}
}
}
return ans
}
function countVowelSubstrings(word: string): number {
const n = word.length;
let left = 0,
right = 0;
let ans = 0;
while (right < n) {
if (!isVowel(word.charAt(right))) {
// 移动左指针
left = right + 1;
} else {
let cur = word.substring(left, right + 1).split('');
while (cur.length > 0) {
if (isValiedArr(cur)) {
ans++;
}
cur.shift();
}
}
right++;
}
return ans;
}
function isVowel(char: string): boolean {
return ['a', 'e', 'i', 'o', 'u'].includes(char);
}
function isValiedArr(arr: Array<string>): boolean {
return new Set(arr).size == 5;
}