c语言编写一个程序,统计字符串中英文字母、空格、数字和其他字母的个
时间: 2024-04-27 12:03:30 浏览: 116
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
数。
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int alpha = 0, space = 0, digit = 0, other = 0;
printf("请输入字符串:");
fgets(str, 100, stdin);
for (int i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
alpha++;
} else if (isspace(str[i])) {
space++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
printf("字符串中英文字母:%d个,空格:%d个,数字:%d个,其他字符:%d个", alpha, space, digit, other);
return 0;
}
```
代码解释:
1. `isalpha()` 函数判断字符是否是英文字母。
2. `isspace()` 函数判断字符是否是空格。
3. `isdigit()` 函数判断字符是否是数字。
在 `for` 循环中,遍历字符串中的每个字符,根据字符的类型进行统计。最后输出结果。
阅读全文