用C语言编写一个函数由实参传来一个字符统计字母,数字,空格和其他
时间: 2024-05-10 21:16:52 浏览: 121
下面是一个用C语言编写的函数,可以统计输入字符串中字母、数字、空格和其他字符的个数:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(char *str, int *letters, int *digits, int *spaces, int *others) {
int i = 0;
char c;
while ((c = str[i++]) != '\0') {
if (isalpha(c)) {
(*letters)++;
} else if (isdigit(c)) {
(*digits)++;
} else if (isspace(c)) {
(*spaces)++;
} else {
(*others)++;
}
}
}
int main() {
char str[100];
int letters = 0, digits = 0, spaces = 0, others = 0;
printf("Enter a string: ");
fgets(str, 100, stdin);
count_chars(str, &letters, &digits, &spaces, &others);
printf("Letters: %d\n", letters);
printf("Digits: %d\n", digits);
printf("Spaces: %d\n", spaces);
printf("Others: %d\n", others);
return 0;
}
```
在上面的代码中,`count_chars()` 函数接受一个字符串指针和四个整型指针作为参数,用来统计该字符串中字母、数字、空格和其他字符的个数。该函数使用了标准库函数 `isalpha()`、`isdigit()` 和 `isspace()` 来判断字符类型。
在 `main()` 函数中,先读入一个字符串,并将该字符串和四个整型变量的地址传递给 `count_chars()` 函数,最后输出各种字符的个数。
阅读全文