leetcode347 Top K Frequent Elements(前K个高频元素)

题目链接:https://leetcode.com/problems/top-k-frequent-elements/
知识点:
优先队列,详细见我的博客 https://blog.csdn.net/CowBoySoBusy/article/details/84338996
思路:
维护一个k个元素的优先队列,如果遍历到的元素比队列中最小频率的元素频率高,则取出队列中最小频率的元素,将新元素入队.最终队列中剩下的就是前k个出现频率最高的元素.
时间复杂度:O(nlogk),小于之前的O(nlogn).

AC代码:

class Solution
{
public:
    vector<int> topKFrequent(vector<int>& nums, int k)
    {
        unordered_map<int,int> freq;
        for(int i=0; i<nums.size(); i++)
        {
            freq[nums[i]]++;
        }
        priority_queue<pair<int,int>,vector<pair<int,int>>, greater<pair<int,int>> > pq;
        for(unordered_map<int,int>::iterator iter = freq.begin(); iter!=freq.end(); iter++)
        {
            if(pq.size()==k)
            {
                if(iter->second>pq.top().first)
                {
                    pq.pop();
                    pq.push(make_pair(iter->second,iter->first));
                }
            }
            else
                pq.push(make_pair(iter->second,iter->first));
        }
        vector<int> res;
        while(!pq.empty())
        {
            res.push_back(pq.top().second);
            pq.pop();
        }
        return res;
    }
};

leetcode347 Top K Frequent Elements(前K个高频元素)_第1张图片

你可能感兴趣的:(面试题,笔试题面试题刷题,算法,LeetCode刷题练习,数据结构,队列,优先队列,leetcode做题代码合集)