用C语言编写一个函数,从键盘输入一个字符串,统计其中字母、数字、空格和其他字符的个数。在主函数中进行调用,并实现测试。
时间: 2024-05-10 14:20:53 浏览: 114
统计字符串中数字,小写字母,大写字母,空白字符和其他字符的个数
```
#include <stdio.h>
#include <ctype.h>
void count(char *str){
int letter = 0, digit = 0, space = 0, other = 0;
while(*str){
if(isalpha(*str)){
letter++;
}else if(isdigit(*str)){
digit++;
}else if(isspace(*str)){
space++;
}else{
other++;
}
str++;
}
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
}
int main(){
char str[100];
printf("请输入一个字符串:");
fgets(str, 100, stdin);
count(str);
return 0;
}
```
阅读全文