有一段文字,共有5行,分别统计其中的大写英文字母、小写英文字母、数字、空格及其他字符的个数,并输出结果用C语言代码写出
时间: 2023-06-08 18:08:16 浏览: 124
好的,我知道了。下面是C语言代码示例:
```
#include <stdio.h>
#include <ctype.h>
#define MAX_SIZE 100
int main() {
char text[MAX_SIZE];
int len, i, upper = 0, lower = 0, digit = 0, space = 0, other = 0;
printf("请输入一段文字(不超过%d个字符):\n", MAX_SIZE-1);
fgets(text, MAX_SIZE, stdin);
len = strlen(text);
for (i = 0; i < len; i++) {
if (isupper(text[i]))
upper++;
else if (islower(text[i]))
lower++;
else if (isdigit(text[i]))
digit++;
else if (isspace(text[i]))
space++;
else
other++;
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
return 0;
}
```
以上代码会要求用户输入一段文字,并统计其中的大写英文字母、小写英文字母、数字、空格及其他字符的个数,最后输出结果。注意,这里使用了C标准库中的`isupper`、`islower`、`isdigit`和`isspace`函数来判断字符的类型。
阅读全文