编写一个函数,由实参传来一个字符串,统计此字符串中字母、数字、空格和其他字符的个数,在主函数中输入字符串以及输出上述的结果。用C++语言编写
时间: 2023-11-17 20:12:56 浏览: 110
实验5 数组实验1
```c
#include <stdio.h>
#include <ctype.h>
void count(char *str, int *letter, int *digit, int *space, int *other) {
while (*str) {
if (isalpha(*str)) {
(*letter)++;
} else if (isdigit(*str)) {
(*digit)++;
} else if (*str == ' ') {
(*space)++;
} else {
(*other)++;
}
str++;
}
}
int main() {
char str[100];
int letter = 0, digit = 0, space = 0, other = 0;
printf("请输入一个字符串:");
gets(str);
count(str, &letter, &digit, &space, &other);
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
return 0;
}
```
注意:以上代码使用了不安全的`gets`函数,可能存在缓冲区溢出的风险。更推荐使用`fgets`函数来读取字符串。
阅读全文