c语言:输入一行字符,分别统计出其中英文字母,数字,空格,其它字符的个数。
时间: 2023-11-25 12:31:53 浏览: 66
输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数
好的,这是一个比较基础的C语言问题。可以使用字符数组来读取输入的一行字符,然后遍历字符数组统计各类字符的个数。
以下是示例代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int letters = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一行字符:");
fgets(str, sizeof(str), stdin);
for (int i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
letters++;
} else if (isdigit(str[i])) {
digits++;
} else if (isspace(str[i])) {
spaces++;
} else {
others++;
}
}
printf("英文字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其它字符个数:%d\n", others);
return 0;
}
```
运行程序后,输入一行字符,程序会输出各类字符的个数。注意,`isalpha`和`isdigit`是C标准库中的函数,用于判断字符是否为字母或数字。`isspace`函数则用于判断字符是否为空格。
阅读全文