用c语音解决:输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2023-11-25 11:00:58 浏览: 78
以下是一个简单的 C 语言程序,可以实现统计字符、空格、数字和其他字符的个数。
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[1000];
int i, alpha, space, digit, other;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
i = alpha = space = digit = other = 0;
while (str[i] != '\0') {
if (isalpha(str[i])) {
alpha++;
} else if (isspace(str[i])) {
space++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
i++;
}
printf("字母个数:%d\n", alpha);
printf("空格个数:%d\n", space);
printf("数字个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
在这个程序中,首先定义了一个字符数组 `str`,用于存储输入的一行字符。然后定义了四个变量 `alpha`、`space`、`digit` 和 `other`,分别用来统计字符、空格、数字和其他字符的个数。
程序使用 `fgets` 函数从标准输入中读取一行字符,并将其存储到字符数组 `str` 中。然后使用一个 `while` 循环遍历字符数组,对于每个字符,使用 `isalpha`、`isspace` 和 `isdigit` 函数判断其是否为字母、空格或数字,如果不是则认为是其他字符。
最后输出统计结果即可。
阅读全文