统计字符串中字母、数字、空格和其他字符的个数 编写一个函数,由实参传来一个字符串,统计此字符串中字母、数字、空格和其他字符的个数,在主函数中输入字符串以及输出上述的结果。
时间: 2023-11-17 14:00:05 浏览: 87
好的,这是一个技术问题,我可以回答。以下是统计函数的示例代码:
```
#include <stdio.h>
void count_char(char *str)
{
int letters = 0, digits = 0, spaces = 0, others = 0;
int i = 0;
while(str[i] != '\0')
{
if((str[i]>='a' && str[i]<='z') || (str[i]>='A' && str[i]<='Z'))
{
letters++;
}
else if(str[i]>='0' && str[i]<='9')
{
digits++;
}
else if(str[i]==' ')
{
spaces++;
}
else
{
others++;
}
i++;
}
printf("字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
}
int main()
{
char str[100];
printf("请输入一个字符串:");
fgets(str, 100, stdin);
count_char(str);
return 0;
}
```
该程序先定义了一个统计函数 count_char,函数体内通过循环遍历输入的字符串,判断每一个字符属于字母、数字、空格还是其他字符,分别对应累加计数器。最后,分别输出各类字符的数量即可。
在主函数中,先通过 fgets 函数输入字符串,再调用 count_char 函数进行统计。
阅读全文