用c语言写出输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2023-11-07 10:05:13 浏览: 157
num,c语言游泳源码,c语言程序
可以使用C语言中的字符处理函数来判断每个字符的类型,并统计个数。以下是一种实现方式:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, alpha=0, digit=0, space=0, other=0;
printf("请输入一行字符:");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
alpha++;
} else if (isdigit(str[i])) {
digit++;
} else if (isspace(str[i])) {
space++;
} else {
other++;
}
}
printf("英文字母个数:%d\n", alpha);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
return 0;
}
```
其中,`fgets()`函数用于从标准输入流(即键盘)读取一行字符串,`isalpha()`、`isdigit()`和`isspace()`函数分别判断字符是否为字母、数字和空格,`alpha`、`digit`、`space`和`other`变量分别记录不同类型字符的个数。最后输出统计结果。
阅读全文