有一篇文章,共有三行文字,每行有80个字符。要求分别统计出其中英文大写字母、小写字母、数字、空格以及其他字符的个数。并用c语言写出来
时间: 2023-11-27 11:08:43 浏览: 129
下面是用 C 语言实现的代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[3][81];
int i, j;
int upper = 0, lower = 0, digit = 0, space = 0, other = 0;
printf("请输入三行文本,每行不超过80个字符:\n");
for (i = 0; i < 3; i++) {
printf("第%d行:", i+1);
fgets(str[i], 81, stdin); // 使用 fgets 获取用户输入
for (j = 0; str[i][j] != '\0'; j++) {
if (isupper(str[i][j])) {
upper++;
} else if (islower(str[i][j])) {
lower++;
} else if (isdigit(str[i][j])) {
digit++;
} else if (isspace(str[i][j])) {
space++;
} else {
other++;
}
}
}
printf("\n统计结果如下:\n");
printf("大写字母:%d\n", upper);
printf("小写字母:%d\n", lower);
printf("数字:%d\n", digit);
printf("空格:%d\n", space);
printf("其他字符:%d\n", other);
return 0;
}
```
注意,为了能够读取用户输入的多行文本,我们使用了 `fgets` 函数。此外,我们还使用了 ctype 库中的函数来判断字符是否是大写字母、小写字母、数字、空格或其他字符。运行程序后,用户可以输入三行文本,程序将统计每种字符的数量,并输出结果。
阅读全文