用c语言的for循环实现输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数
时间: 2023-09-26 22:09:16 浏览: 133
好的,以下是用 C 语言的 for 循环实现输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数的代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char c;
int letter = 0, space = 0, digit = 0, other = 0;
printf("请输入一行字符:\n");
while ((c = getchar()) != '\n') {
if (isalpha(c)) {
letter++;
} else if (isspace(c)) {
space++;
} else if (isdigit(c)) {
digit++;
} else {
other++;
}
}
printf("英文字母个数:%d\n", letter);
printf("空格个数:%d\n", space);
printf("数字个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
程序通过 `getchar()` 函数逐个读取输入的字符,同时通过 `isalpha()`、`isspace()` 和 `isdigit()` 函数判断每个字符是英文字母、空格还是数字,如果都不是则视为其他字符。最后输出统计结果。
阅读全文