Leetcode 2062. 统计字符串中的元音子字符串(暴力法)_leetcode
子字符串 是字符串中的一个连续(非空)的字符序列。

元音子字符串 是 仅 由元音(‘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 仅由小写英文字母组成

Code:

class Solution {
public:

bool isVa(string &str)
{
int c=0;
int c2=0;
int c3=0;
int c4=0;
int c5=0;
c=count(str.begin(),str.end(),'a');
if(c==0)
return false;
c2=count(str.begin(),str.end(),'e');
if(c2==0)
return false;
c3=count(str.begin(),str.end(),'i');
if(c3==0)
return false;
c4=count(str.begin(),str.end(),'o');
if(c4==0)
return false;
c5=count(str.begin(),str.end(),'u');
if(c5==0)
return false;

return (c+c2+c3+c4+c5)==str.length();
}
int countVowelSubstrings(string word) {

int res=0;
for(int i=0;i<word.size();i++)
{
for(int j=1;(i+j)<=word.size();j++)
{
string str=word.substr(i,j);

if(isVa(str))
{
res++;
// cout<<str<<endl;
}
}
}
return res;
}
};