按照要求C语言编写程序:有一行文字,不超过80个字符,分别统计出其中英文大写字母、小写字母、数字、空格、及其它字符的个数。
时间: 2024-01-29 13:04:40 浏览: 132
好的,以下是代码实现:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[81];
int uppercase = 0, lowercase = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一行文字,不超过80个字符:\n");
fgets(str, 81, 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])) {
digits++;
} else if (isspace(str[i])) {
spaces++;
} else {
others++;
}
}
printf("大写字母个数:%d\n", uppercase);
printf("小写字母个数:%d\n", lowercase);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其它字符个数:%d\n", others);
return 0;
}
```
程序中,我们使用了 `fgets` 函数来获取输入的一行字符串,然后使用 `isupper`、`islower`、`isdigit`、`isspace` 函数来判断字符的类型,最后统计个数并输出。
阅读全文