编写c语言程序,读入一行字符(长度小于1000),从中找出出现频率最高的字母(大小写算不同字母)出现的次数并输出。
时间: 2024-04-30 22:23:11 浏览: 76
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
int main()
{
char str[1000];
int count[26] = {0}; // 统计每个字母出现的次数,index 0~25 分别对应 A~Z
printf("请输入一行字符串:");
fgets(str, 1000, stdin); // 读入一行字符串
// 统计每个字母出现的次数
for (int i = 0; i < strlen(str); i++)
{
if (isalpha(str[i])) // 判断是否为字母
{
count[toupper(str[i]) - 'A']++; // 统计字母出现的次数,toupper将小写字母转换为大写字母
}
}
// 找出出现频率最高的字母
int max_count = 0;
char max_char = 'A';
for (int i = 0; i < 26; i++)
{
if (count[i] > max_count)
{
max_count = count[i];
max_char = 'A' + i; // 将 index 转换为对应的字母
}
}
printf("出现频率最高的字母为 %c,出现次数为 %d\n", max_char, max_count);
return 0;
}
```
说明:
- 使用 `fgets` 函数读入一行字符串,可以避免使用 `gets` 函数可能出现的越界问题。
- 使用一个长度为 26 的数组 `count` 统计每个字母出现的次数,其中 index 0~25 分别对应 A~Z。使用 `toupper` 函数将小写字母转换为大写字母,方便统计。
- 找出出现频率最高的字母时,遍历数组 `count`,记录出现次数最多的字母和次数,最后输出即可。
阅读全文