C语言统计字符串中字母 数字 空格 其他字符个数
时间: 2023-12-20 13:30:25 浏览: 197
以下是C语言统计字符串中字母、数字、空格、其他字符个数的代码实现:
```c
#include <stdio.h>
#include <ctype.h>
void count(char str[]) {
int i, letter = 0, digit = 0, space = 0, other = 0;
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) { // 判断是否为字母
letter++;
} else if (isdigit(str[i])) { // 判断是否为数字
digit++;
} else if (isspace(str[i])) { // 判断是否为空格
space++;
} else { // 其他字符
other++;
}
}
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
}
int main() {
char str[100];
printf("请输入字符串:");
gets(str); // 读入字符串
count(str); // 调用count函数统计字符个数
return 0;
}
```
阅读全文