编程序并上机调试运行。 (1)输入一行字符,分别统计出其中的英文大写字母、小写字母、空格、数字和其他字符的个数。
时间: 2023-12-12 09:27:03 浏览: 73
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
好的,这是一个简单的字符统计程序,可以用C语言实现:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char c;
int upper = 0, lower = 0, space = 0, digit = 0, other = 0;
printf("请输入一行字符:\n");
while ((c = getchar()) != '\n') {
if (isupper(c))
upper++;
else if (islower(c))
lower++;
else if (isspace(c))
space++;
else if (isdigit(c))
digit++;
else
other++;
}
printf("大写字母:%d\n", upper);
printf("小写字母:%d\n", lower);
printf("空格:%d\n", space);
printf("数字:%d\n", digit);
printf("其他字符:%d\n", other);
return 0;
}
```
程序通过循环读入每个字符,并使用 `isupper()`、`islower()`、`isspace()` 和 `isdigit()` 等库函数判断字符的类型,最后输出结果。
阅读全文