C++實現LeetCode(347.前K個高頻元素)
[LeetCode] 347. Top K Frequent Elements 前K個高頻元素
Given a non-empty array of integers, return the k most frequent elements.
Example 1:
Input: nums = [1,1,1,2,2,3], k = 2
Output: [1,2]
Example 2:
Input: nums = [1], k = 1
Output: [1]
Note:
- You may assume k is always valid, 1 ≤ k ≤ number of unique elements.
- Your algorithm’s time complexity must be better than O(n log n), where n is the array’s size.
這道題給瞭我們一個數組,讓統計前k個高頻的數字,那麼對於這類的統計數字的問題,首先應該考慮用 HashMap 來做,建立數字和其出現次數的映射,然後再按照出現次數進行排序。可以用堆排序來做,使用一個最大堆來按照映射次數從大到小排列,在 C++ 中使用 priority_queue 來實現,默認是最大堆,參見代碼如下:
解法一:
class Solution { public: vector<int> topKFrequent(vector<int>& nums, int k) { unordered_map<int, int> m; priority_queue<pair<int, int>> q; vector<int> res; for (auto a : nums) ++m[a]; for (auto it : m) q.push({it.second, it.first}); for (int i = 0; i < k; ++i) { res.push_back(q.top().second); q.pop(); } return res; } };
當然,既然可以使用最大堆,還有一種可以自動排序的數據結構 TreeMap,也是可以的,這裡就不寫瞭,因為跟上面的寫法基本沒啥區別,就是換瞭一個數據結構。這裡還可以使用桶排序,在建立好數字和其出現次數的映射後,按照其出現次數將數字放到對應的位置中去,這樣從桶的後面向前面遍歷,最先得到的就是出現次數最多的數字,找到k個後返回即可,參見代碼如下:
解法二:
class Solution { public: vector<int> topKFrequent(vector<int>& nums, int k) { unordered_map<int, int> m; vector<vector<int>> bucket(nums.size() + 1); vector<int> res; for (auto a : nums) ++m[a]; for (auto it : m) { bucket[it.second].push_back(it.first); } for (int i = nums.size(); i >= 0; --i) { for (int j = 0; j < bucket[i].size(); ++j) { res.push_back(bucket[i][j]); if (res.size() == k) return res; } } return res; } };
Github 同步地址:
https://github.com/grandyang/leetcode/issues/347
類似題目:
Word Frequency
Top K Frequent Words
參考資料:
https://leetcode.com/problems/top-k-frequent-elements/
https://leetcode.com/problems/top-k-frequent-elements/discuss/81602/Java-O(n)-Solution-Bucket-Sort
https://leetcode.com/problems/top-k-frequent-elements/discuss/81635/3-Java-Solution-using-Array-MaxHeap-TreeMap
到此這篇關於C++實現LeetCode(347.前K個高頻元素)的文章就介紹到這瞭,更多相關C++實現前K個高頻元素內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- C++實現LeetCode(692.前K個高頻詞)
- C++實現LeetCode(164.求最大間距)
- C++實現LeetCode(152.求最大子數組乘積)
- C++實現LeetCode(163.缺失區間)
- C++實現LeetCode(三數之和)