用c语言统计一个字符串中字母、数字、空格和其他字符的个数
时间: 2023-11-19 07:07:40 浏览: 79
```c
#include <stdio.h>
int main() {
char str[100];
int letter = 0, digit = 0, space = 0, other = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for (int i = 0; str[i] != '\0'; i++) {
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
letter++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
} else if (str[i] == ' ' || str[i] == '\t' || str[i] == '\n') {
space++;
} else {
other++;
}
}
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
return 0;
}
```
说明:
1. 定义一个字符数组 `str` 存放输入的字符串,定义四个变量 `letter`、`digit`、`space` 和 `other` 分别统计字母、数字、空格和其他字符的个数。
2. 使用 `fgets` 函数从标准输入中读取一个字符串,遇到换行符停止读取,最多读取 100 个字符。
3. 使用 `for` 循环遍历字符串中的每个字符,判断其属于哪一类字符,分别更新对应变量的值。
4. 使用 `printf` 函数输出结果。
阅读全文