输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数。C语言
时间: 2023-11-25 10:57:37 浏览: 58
程序如下:
```c
#include <stdio.h>
#include <ctype.h>
int main()
{
char str[100];
int i, alphabets, digits, spaces, others;
printf("请输入一行字符:");
fgets(str, sizeof(str), stdin);
alphabets = digits = spaces = others = 0;
i = 0;
while (str[i] != '\0')
{
if (isalpha(str[i]))
alphabets++;
else if (isdigit(str[i]))
digits++;
else if (isspace(str[i]))
spaces++;
else
others++;
i++;
}
printf("英文字母个数:%d\n", alphabets);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其它字符个数:%d\n", others);
return 0;
}
```
这段程序通过循环遍历输入的字符串,然后使用 `isalpha()`、`isdigit()` 和 `isspace()` 函数判断字符的类型,最后统计出每种类型字符的个数并输出。
阅读全文