1.问题描述
给一非空的单词列表,返回前 k 个出现次数最多的单词。
返回的答案应该按单词出现频率由高到低排序。如果不同的单词有相同出现频率,按字母顺序排序。
示例 1:
输入: ["i", "love", "leetcode", "i", "love", "coding"], k = 2
输出: ["i", "love"]
解析: "i" 和 "love" 为出现次数最多的两个单词,均为2次。
注意,按字母顺序 "i" 在 "love" 之前。
示例 2:
输入: ["the", "day", "is", "sunny", "the", "the", "the", "sunny", "is", "is"], k = 4
输出: ["the", "is", "sunny", "day"]
解析: "the", "is", "sunny" 和 "day" 是出现次数最多的四个单词,
出现次数依次为 4, 3, 2 和 1 次。
2.输入说明
首先输入单词列表的单词数目n,
然后输入n个单词,以空格分隔
最后输入整数k。
假定 k 总为有效值, 1 ≤ k ≤ 集合元素数。
输入的单词均由小写字母组成。
3.输出说明
按题目要求输出,单词之间以一个空格分隔,行首和行尾无多余空格。
4.范例
输入
6
i love leetcode i love coding
2
输出
i love
5.代码
#include<iostream> #include<map> #include<string> #include<unordered_map> #include<algorithm> #include<string.h> #include<sstream> #include <vector> using namespace std; /*法一:使用pair进行排序*/ bool cmp(pair<string, int>a, pair<string, int>b) { return b.second == a.second ? a.first <b.first : a.second >b.second; } void OrderByFreq(vector<string>words, int k ) { int n = words.size();//总单词个数 if (n == 0) return; unordered_map<string, int>map;//string:记录单词 int:记录次数 for (int i = 0; i < n; i++) { string s = words[i]; map[s]++; } /*for (auto it = map.begin(); it != map.end(); it++) { cout << it->first << " " << it->second << endl; } */ //对map进行排序? 利用pair vector<pair<string, int> >vecs; for (auto it = map.begin(); it != map.end(); it++) { vecs.push_back(make_pair(it->first, it->second)); } sort(vecs.begin(), vecs.end(), cmp); int cnt = 0; for (auto it = vecs.begin(); it != vecs.end(); it++) { cout << it->first; cnt++; if (cnt == k) break; cout << " "; } cout << endl; } /*法二:直接利用哈希进行排序,参考官方题解*/ unordered_map<string, int>cnt; bool cmp2(string a, string b) { return cnt[a] == cnt[b] ? a<b : cnt[a]>cnt[b]; } vector<string> TopKFrequent(vector<string> words, int k) { for (auto word : words)//1.这样遍历words更加简单 { cnt[word]++; } vector<string>res; for (auto it : cnt) { res.emplace_back(it.first);//使用emplace_back()效率比push_back()高,但两者功能一样 } sort(res.begin(), res.end(), cmp2);//比较 res.erase(res.begin() + k, res.end());//2.新知识点:将前K个单词之后的所有单词都消除 return res; } int main() { int n,k; string s; cin >> n; vector<string>words; for (int i = 0; i < n; i++) { cin >> s; words.push_back(s); } cin >> k; //OrderByFreq(words, k);//法一 vector<string> res = TopKFrequent(words, k); for (int i = 0; i < res.size(); i++) { if (i == res.size() - 1) cout << res[i] << endl; else cout << res[i] << " "; } return 0; }
标签:单词,int,res,力扣,++,words,69,include From: https://www.cnblogs.com/juillard/p/16587496.html