编写程序输入一行字符,统计其中大写字母.小写字母、数 字字符及其他字符的个数,C语言
时间: 2023-08-12 20:08:48 浏览: 122
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
以下是统计字符个数的 C 语言程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int uppercase = 0, lowercase = 0, digit = 0, others = 0;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
for (int i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
uppercase++;
} else if (islower(str[i])) {
lowercase++;
} else if (isdigit(str[i])) {
digit++;
} else {
others++;
}
}
printf("大写字母:%d\n", uppercase);
printf("小写字母:%d\n", lowercase);
printf("数字字符:%d\n", digit);
printf("其他字符:%d\n", others);
return 0;
}
```
程序从标准输入中读取一行字符,然后使用 `isupper`、`islower` 和 `isdigit` 函数判断字符的类型,最后统计各种类型字符的个数并输出。
阅读全文