用c语言编写一个函数,由实参传来一个字符串,统计此字符串中的字母,数字,空格和其它字符的个数,在主函数输入字符以及上述的结果
时间: 2023-11-17 10:07:17 浏览: 154
c中头文件ctype的介绍
```c
#include <stdio.h>
void count(char *str, int *letter, int *digit, int *space, int *other) {
while (*str != '\0') {
if (*str >= 'a' && *str <= 'z' || *str >= 'A' && *str <= 'Z') {
(*letter)++;
} else if (*str >= '0' && *str <= '9') {
(*digit)++;
} else if (*str == ' ') {
(*space)++;
} else {
(*other)++;
}
str++;
}
}
int main() {
char str[100];
int letter = 0, digit = 0, space = 0, other = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
count(str, &letter, &digit, &space, &other);
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其它字符个数:%d\n", other);
return 0;
}
```
运行结果:
```
请输入一个字符串:Hello World! 2022!
字母个数:10
数字个数:4
空格个数:2
其它字符个数:2
```
阅读全文