标题链接:单词识别_牛客题霸_牛客网
对map的使用不太熟悉的同学可以参考:超详细介绍map(multimap)的使用-CSDN博客
标题解析
输入一个英文句子,把句子中的单词(不区分巨细写)按出现次数按从多到少把单词和次数在屏幕上输出来,次数一样的按照单词小写的字典序排序输出,要求能识别英文单词和句号
得到单词与其个数,我们会用到map容器。输出要求:个数多的先输出,个数相同按照字典序排序输出
算法分析
实在详细思路很简单,主要是对于map容器使用的训练
1.输入一个句子,依次得到单词,并使用map容器记载单词及其个数。
2.因为map是按照字典序排序的,以是我们需要按照单词个数重新排序,map自己是不支持sort,以是我们将map的数据放入vector中举行排序(pair自己是支持排序的,但是它支持的排序,并不是我们所需要的排序,以是我们要传入仿函数实现自己定义的排序)
3.排序完成我们输出结果即可
代码实现
- #include<iostream>
- #include<vector>
- #include<string>
- #include<map>
- #include<algorithm>
- using namespace std;
- struct compare
- {
- bool operator()(const pair<string, int>& a, const pair<string, int>& b)
- {
- //当个数相同时,按照字典序排序
- if (a.second == b.second)
- return a.first < b.first;
- return a.second > b.second;
- }
- };
- int main()
- {
- string in;
- getline(cin, in);
- //将单词存入数组
- vector<string> word;
- string tmp;
- for (auto& e : in)
- {
- if (e == ' ' || e == '.')
- {
- word.push_back(tmp);
- tmp.resize(0);
- }
- else
- tmp += e;
- }
- //使用map容器得到单词以及其个数
- map<string, int> ret;
- int num = 'a' - 'A';
- for (auto& r : word)
- {
- string e = r;
- if (r[0] >= 'A' && r[0] <= 'Z')
- {
- e[0] += num;
- }
- ret[e]++;
- }
- //放入vector进行排序
- vector<pair<string, int>> amd;
- for (auto& e : ret)
- {
- amd.push_back(e);
- }
- sort(amd.begin(), amd.end(), compare());
- for (auto& e : amd)
- {
- cout << e.first << ":" << e.second << endl;
- }
- }
复制代码 优化:可以直接将单词放入map,没必要多先放入vector再放入map
- #include<iostream>
- #include<map>
- #include<string>
- #include<algorithm>
- #include<vector>
- using namespace std;
- // operator()
- struct compare
- {
- bool operator()(const pair<string, int>& a, const pair<string, int>& b)
- {
- if (a.second == b.second)
- return a.first < b.first;
- return a.second > b.second;
- }
- };
- int main()
- {
- string in;
- getline(cin,in);
- string tmp;
- map<string, int> ret;
- for (auto& e : in)
- {
- if (e == '.' || e == ' ')
- {
- ret[tmp]++;
- tmp.resize(0);
- }
- else
- {
- tmp += tolower(e);//大写转小写函数。小写转大写:toupper
- }
- }
- vector<pair<string, int>> n;
- for (auto& e : ret)
- {
- n.push_back(e);
- }
- sort(n.begin(), n.end(), compare());
- for (auto& e : n)
- {
- cout << e.first << ":" << e.second<<endl;
- }
- }
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。 |