力扣347. 前 K 个高频元素

题目要求 链接:https://leetcode-cn.com/problems/top-k-frequent-elements

给定一个非空的整数数组,返回其中出现频率前 高的元素。

提示:

  1. 你可以假设给定的 k 总是合理的,且 1 ≤ k ≤ 数组中不相同的元素的个数。
  2. 你的算法的时间复杂度必须优于 O(n log n) , n 是数组的大小。
  3. 题目数据保证答案唯一,换句话说,数组中前 k 个高频元素的集合是唯一的。
  4. 你可以按任意顺序返回答案。

思路:top k个最大的,用最小堆,每次插入新来元素后把堆顶最小的删除。

  1. 用哈希表记录次数
  2. 建立并维护最小堆
  3. 输出最小堆

C++

struct cmp{
    bool operator()(const pair & a, const pair &b){
        return a.second > b.second;
    }
};

class Solution {
public:
    vector topKFrequent(vector& nums, int k) {
        int n = nums.size();
        unordered_map m;//统计频率
        for(int i = 0; i < n; ++i){
            ++m[nums[i]];
        }
        //top k 最大的,建立最小堆
        //用优先队列来实现堆,默认最大堆,C++始终把优先级高的放在堆顶
        priority_queue, vector>, cmp> q;
        for(unordered_map::iterator it = m.begin(); it != m.end(); ++it){
            q.push(*it);
            if(q.size() > k)
                q.pop();
        }
      
        vector res;
        while(!q.empty()){
            res.push_back(q.top().first);
            q.pop();
        }
        return res;
    }
};

 

你可能感兴趣的:(C/C++,算法,堆排序)