C语言输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2023-07-10 17:16:19 浏览: 95
好的,这是一个C语言问题。你可以使用以下代码来实现:
```c
#include <stdio.h>
int main() {
char str[100];
int i, alphabets = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一行字符: ");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; ++i) {
if (str[i] >= 'a' && str[i] <= 'z' || str[i] >= 'A' && str[i] <= 'Z') {
++alphabets;
} else if (str[i] >= '0' && str[i] <= '9') {
++digits;
} else if (str[i] == ' ' || str[i] == '\n' || str[i] == '\t') {
++spaces;
} else {
++others;
}
}
printf("字母个数: %d\n", alphabets);
printf("数字个数: %d\n", digits);
printf("空格个数: %d\n", spaces);
printf("其他字符个数: %d\n", others);
return 0;
}
```
这个程序会提示用户输入一行字符,然后统计其中字母、数字、空格和其他字符的个数,并输出结果。
阅读全文