C语言程序设计-仅使用stdio.h和string.h头文件实现分别统计字符串中字母、数字、空格和其他字符出现的次数
时间: 2024-02-25 20:55:12 浏览: 72
好的,这里是仅使用stdio.h和string.h头文件实现分别统计字符串中字母、数字、空格和其他字符出现次数的C语言程序:
```c
#include <stdio.h>
#include <string.h>
int main()
{
char str[100];
int i, len, alphabets, digits, spaces, others;
alphabets = digits = spaces = others = 0;
printf("请输入一串字符串:");
fgets(str, 100, stdin);
len = strlen(str);
for(i = 0; i < len; i++)
{
if((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z'))
{
alphabets++;
}
else if(str[i] >= '0' && str[i] <= '9')
{
digits++;
}
else if(str[i] == ' ')
{
spaces++;
}
else
{
others++;
}
}
printf("字母出现次数:%d\n", alphabets);
printf("数字出现次数:%d\n", digits);
printf("空格出现次数:%d\n", spaces);
printf("其他字符出现次数:%d\n", others);
return 0;
}
```
程序中使用了stdio.h头文件中的fgets()函数读取用户输入的字符串,使用了string.h头文件中的strlen()函数获取字符串的长度。通过比较字符的ASCII码值来判断字符是字母、数字、空格还是其他字符。最后输出了各种字符出现的次数。
希望能够解答你的问题。
阅读全文