c语言输入一行字符,分别统计出其中的英文字母、空格、数字字符和其他字符的个数。
时间: 2023-05-21 19:01:30 浏览: 444
可以使用C语言中的字符数组和循环语句来实现该功能。以下是一个示例代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letters = 0, spaces = 0, digits = 0, others = 0;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
letters++;
} else if (isspace(str[i])) {
spaces++;
} else if (isdigit(str[i])) {
digits++;
} else {
others++;
}
}
printf("英文字母个数:%d\n", letters);
printf("空格个数:%d\n", spaces);
printf("数字字符个数:%d\n", digits);
printf("其他字符个数:%d\n", others);
return 0;
}
```
该程序首先使用 `fgets` 函数从标准输入中读取一行字符,然后使用循环语句遍历每个字符,根据字符的类型分别统计英文字母、空格、数字字符和其他字符的个数。最后输出统计结果。
阅读全文