在C语言里怎么实现输入一串字符统计其中的英文字母的个数,其中判断字母的个数由一个独立函数完成
时间: 2023-06-25 10:02:36 浏览: 87
输入10个字符,统计其中英文字母、空格或回车、数字字符和其他字符的个数(C语言代码)
可以使用 C 语言中的字符数组(也称字符串)和循环语句来读取用户输入的一串字符,再调用一个独立函数来判断其中的英文字母个数。示例代码如下:
```c
#include <stdio.h>
int count_letters(char str[]) {
int count = 0;
for (int i = 0; str[i] != '\0'; i++) {
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
count++;
}
}
return count;
}
int main() {
char str[100];
printf("请输入一串字符:");
scanf("%s", str);
int letter_count = count_letters(str);
printf("其中的英文字母个数为:%d\n", letter_count);
return 0;
}
```
上述代码中,`count_letters` 函数接收一个字符数组 `str`,并使用 `for` 循环语句遍历这个数组中的每个字符。在循环体中,使用 `if` 语句判断当前字符是否为英文字母,如果是,则将计数器 `count` 加 1。最后,函数返回计数器的值。
在 `main` 函数中,首先声明一个大小为 100 的字符数组 `str`,并使用 `scanf` 函数读取用户输入的一串字符。然后,调用 `count_letters` 函数统计其中的英文字母个数,并将结果输出。
阅读全文