用C语言输入一行字符,分别统计出其中英文字母、数字、空格和其他字符的个数。
时间: 2023-05-12 16:07:46 浏览: 74
num,c语言游泳源码,c语言程序
可以使用C语言的字符处理函数来实现这个功能,具体代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letters = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一行字符:");
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;
}
```
这个程序首先使用`fgets()`函数从标准输入中读取一行字符,然后使用一个循环遍历每个字符,根据字符的类型分别统计英文字母、数字、空格和其他字符的个数。最后输出统计结果。
阅读全文