用c语言表示,输入一行字符,分别统计出其中英文字母、数字、空格和其他字符的个数。
时间: 2024-06-13 15:03:44 浏览: 84
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
这个问题可以通过以下步骤解决:
1. 首先,需要定义一个字符数组来存储输入的一行字符。可以使用C语言中的fgets函数来实现。
2. 然后,需要定义四个变量来分别统计英文字母、数字、空格和其他字符的个数。初始值都为0。
3. 接下来,需要遍历输入的字符数组,对每个字符进行判断。如果是英文字母,则英文字母计数器加1;如果是数字,则数字计数器加1;如果是空格,则空格计数器加1;否则,其他字符计数器加1。
4. 最后,输出四个计数器的值。
下面是代码实现:
```
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letters = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
letters++;
} else if (isdigit(str[i])) {
digits++;
} else if (isspace(str[i])) {
spaces++;
} else {
others++;
}
}
printf("英文字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
阅读全文