原题链接:https://pintia.cn/problem-sets/994805260223102976/problems/994805280817135616。
请编写程序,找出一段给定文字中出现最频繁的那个英文字母。
输入格式:
输入在一行中给出一个长度不超过 1000 的字符串。字符串由 ASCII 码表中任意可见字符及空格组成,至少包含 1 个英文字母,以回车结束(回车不算在内)。
输出格式:
在一行中输出出现频率最高的那个英文字母及其出现次数,其间以空格分隔。如果有并列,则输出按字母序最小的那个字母。统计时不区分大小写,输出小写字母。
输入样例:
This is a simple TEST. There ARE numbers and other symbols 1&2&3…
输出样例:
e 7
思路:(1).如何忽略空格情况下来输入一个字符串;
(2).遍历字符串中的每个字符出现的字数,如果并列的话,输入对应的ASCII最小的字符(字母序最小)和出现次数。
本题AC代码:
#include <bits/stdc++.h>
using namespace std;
const int maxn = 1000+10; //字符串最大长度
char str[maxn];
int num[128];
int i = 0;
int main()
{
memset(num,0,sizeof(num));
//忽略空格输入字符串
while((str[i++]=getchar())!='\n');
i--;
str[i] = '\0'; //去掉字符串末尾的换行符
int len = strlen(str);
int max = 0;
char ch;
for(int i=0;i<len;++i)
{
//如果是字母
if((str[i]>='a'&&str[i]<='z')||(str[i]>='A'&&str[i]<='Z'))
{
char c = tolower(str[i]); //将大写字母转化成小写字母
num[c]++; //记录出现的字数
if(num[c]>max)
{
ch = c;
max = num[c];
}
else if(num[c] == max)
{//有并列情况,输出字符的ASCII码最小的值
if(c<ch)
ch = c;
}
}
}
printf("%c %d\n",ch,max);
memset(str,0,sizeof(str));
return 0;
}