用C语言编写一个函数,统计一个输入字符串中字母、数字、空格和其它字符的个数。
时间: 2023-11-17 17:13:25 浏览: 105
下面是用C语言编写的一个函数,可以统计输入字符串中字母、数字、空格和其它字符的个数:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(const char* str, int* num_letters, int* num_digits, int* num_spaces, int* num_others) {
*num_letters = *num_digits = *num_spaces = *num_others = 0;
while (*str != '\0') {
if (isalpha(*str)) {
(*num_letters)++;
} else if (isdigit(*str)) {
(*num_digits)++;
} else if (isspace(*str)) {
(*num_spaces)++;
} else {
(*num_others)++;
}
str++;
}
}
int main() {
char str[100];
int num_letters, num_digits, num_spaces, num_others;
printf("请输入字符串:\n");
fgets(str, sizeof(str), stdin);
count_chars(str, &num_letters, &num_digits, &num_spaces, &num_others);
printf("字母个数:%d\n", num_letters);
printf("数字个数:%d\n", num_digits);
printf("空格个数:%d\n", num_spaces);
printf("其它字符个数:%d\n", num_others);
return 0;
}
```
在上面的代码中,我们定义了一个`count_chars`函数,接受一个字符串指针和四个整型指针作为参数,分别用于记录字母、数字、空格和其它字符的个数。在函数内部,我们使用`while`循环遍历字符串中的每一个字符,判断其是否为字母、数字、空格或其它字符,并根据结果更新相应的计数器。最后,在`main`函数中,我们通过调用`count_chars`函数并传递相应的参数来统计字符串中的各种字符的个数,并将结果输出到屏幕上。
阅读全文