c语言统计字符串中字母个数数字空格其他字符
时间: 2023-10-26 19:14:13 浏览: 118
好的,针对您的问题,我可以给您提供以下的 C 语言代码来统计一个字符串中字母、数字、空格和其他字符的个数:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, alphabets, digits, spaces, others;
alphabets = digits = spaces = others = 0;
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin);
for(i = 0; str[i] != '\0'; i++) {
if(isalpha(str[i])) {
alphabets++;
} else if(isdigit(str[i])) {
digits++;
} else if(str[i] == ' ') {
spaces++;
} else {
others++;
}
}
printf("字母个数:%d\n", alphabets);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
这段代码中使用了 `isalpha()`、`isdigit()` 等函数来判断一个字符是否为字母或数字,同时也判断了空格和其他字符。您可以将输入的字符串改成您需要统计的字符串。
阅读全文