用C语言编写。个函数,由实参传来一个字符单,统计此字符串中字母、数字、空格和其它字符的个 数,在主函数中输入字符串以及输出上述的结果
时间: 2024-05-13 21:15:20 浏览: 69
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
可以使用如下的C语言代码实现:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(char *str, int *alpha, int *digit, int *space, int *other)
{
*alpha = *digit = *space = *other = 0; // 初始化计数器
while (*str != '\0') {
if (isalpha(*str)) {
(*alpha)++;
} else if (isdigit(*str)) {
(*digit)++;
} else if (isspace(*str)) {
(*space)++;
} else {
(*other)++;
}
str++;
}
}
int main()
{
char str[100];
int alpha, digit, space, other;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
count_chars(str, &alpha, &digit, &space, &other);
printf("字母个数:%d\n", alpha);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其它字符个数:%d\n", other);
return 0;
}
```
在主函数中,我们先输入一个字符串,然后调用 `count_chars` 函数来统计其中的字母、数字、空格和其他字符的个数。在 `count_chars` 函数中,我们使用一个 while 循环来遍历字符串中的每个字符,然后根据字符的属性来增加相应的计数器。最后,我们在主函数中输出各种字符的个数即可。
阅读全文