编写函数,countVowels(string),返回字符串string中元音字母的个数。
时间: 2024-01-21 07:17:32 浏览: 184
以下是Python语言的实现:
```python
def countVowels(string):
vowels = "aeiouAEIOU" # 定义元音字母集合
count = 0
for char in string:
if char in vowels:
count += 1
return count
```
该函数中,我们首先定义了元音字母的集合vowels,然后使用for循环遍历字符串string中的每个字符,如果该字符在vowels中,则将计数器count加1。最后返回计数器count的值,即元音字母的个数。
相关问题
编写函数,countVowels(string),返回字符串string中元音字母的个数并打印个数
这是一个简单的Python实现:
```python
def countVowels(string):
vowels = "aeiouAEIOU"
count = 0
for char in string:
if char in vowels:
count += 1
print("元音字母个数:", count)
return count
```
调用示例:
```python
countVowels("Hello, World!") # 输出:元音字母个数: 3
countVowels("Python Programming") # 输出:元音字母个数: 4
```
用C语言编写程序,统计字符串中元音字母的个数
下面是一个用 C 语言编写的统计字符串中元音字母个数的程序:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[100];
int vowels = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for (int i = 0; i < strlen(str); i++) {
switch (str[i]) {
case 'a':
case 'e':
case 'i':
case 'o':
case 'u':
case 'A':
case 'E':
case 'I':
case 'O':
case 'U':
vowels++;
break;
default:
break;
}
}
printf("元音字母的个数为:%d\n", vowels);
return 0;
}
```
这个程序首先提示用户输入一个字符串,然后使用 `fgets()` 函数读取输入的字符串。接下来,程序使用 `for` 循环遍历字符串中的每一个字符,并使用 `switch` 语句判断该字符是否为元音字母。如果是,则将元音字母计数器加1。最后,程序输出元音字母的个数。
阅读全文