用C语音处理:3、输入一串字符串(以回车键结束),统计其中的大写字母、小写字母、以及其他字符的个数。
时间: 2024-12-16 10:17:07 浏览: 2
微机原理课程设计--字符串分类统计
在C语言中,可以使用标准库函数如`getchar()`从用户输入获取字符,并通过条件判断来区分大写字母、小写字母和其他字符。以下是一个简单的程序示例:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
int upper_count = 0, lower_count = 0, others_count = 0;
char input;
while ((input = getchar()) != '\n') { // 循环直到遇到换行符
if (isupper(input)) { // 判断是否为大写字母
upper_count++;
} else if (islower(input)) { // 判断是否为小写字母
lower_count++;
} else { // 其他字符包括数字、标点等
others_count++;
}
}
printf("大写字母: %d\n", upper_count);
printf("小写字母: %d\n", lower_count);
printf("其他字符: %d\n", others_count);
return 0;
}
```
这个程序会持续读取用户的输入,直到用户按下回车键停止输入。每读取到一个字符,它会检查该字符是否是大写字母、小写字母或其他字符,并相应地增加计数器。
阅读全文