用c语言输入一行字符,分别统计出其中英文字母、空 格、数字和其它字符的个数。
时间: 2023-11-25 19:55:28 浏览: 62
以下是用C语言实现的代码:
```c
#include <stdio.h>
int main() {
char str[100];
int i, letters, spaces, digits, others;
letters = spaces = digits = others = 0;
printf("请输入一行字符:\n");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (str[i] >= 'a' && str[i] <= 'z' || str[i] >= 'A' && str[i] <= 'Z') {
letters++;
} else if (str[i] == ' ') {
spaces++;
} else if (str[i] >= '0' && str[i] <= '9') {
digits++;
} else {
others++;
}
}
printf("字母个数:%d\n", letters);
printf("空格个数:%d\n", spaces);
printf("数字个数:%d\n", digits);
printf("其他字符个数:%d\n", others);
return 0;
}
```
这段代码中,我们定义了一个字符数组 `str` 来存储输入的字符串,以及四个变量 `letters`、`spaces`、`digits` 和 `others` 来分别记录字母、空格、数字和其他字符的个数。
接着,我们使用 `fgets()` 函数从标准输入中读取一行字符,然后使用 `for` 循环遍历每个字符,使用 `if` 语句判断该字符属于哪一类,并分别对应地将相应的计数器加一。
最后,我们输出四个计数器的值即可。
阅读全文