欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

LeetCode 力扣 347. 前 K 个高频元素 top k frequent elements hashmap 优先队列 priorityqueue

程序员文章站 2022-03-07 19:44:13
...

大家觉得写还可以,可以点赞、收藏、关注一下吧!
也可以到我的个人博客参观一下,估计近几年都会一直更新!和我做个朋友吧!https://motongxue.cn


347. 前 K 个高频元素

题目描述

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

示例 1:

输入: nums = [1,1,1,2,2,3], k = 2
输出: [1,2]

示例 2:

输入: nums = [1], k = 1
输出: [1]

提示:

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

分析

  1. 构建map映射,key为给定数组元素,value为出现次数。
  2. 遍历给定数组
  3. 使用优先队列(堆)结构来存储map中出现次数最多的数字 (注意其构造器的Comparator)
  4. 最后,将堆中保存下来的k个元素即为题目答案

代码

public int[] topKFrequent(int[] nums, int k) {
        HashMap<Integer,Integer> map = new HashMap<>();
        for(int x : nums){
            if(map.containsKey(x))
                map.put(x,map.get(x)+1);
            else
                map.put(x,1);
        }
        PriorityQueue<Integer> queue = new PriorityQueue<>(new Comparator<Integer>(){
            @Override
            public int compare(Integer o1, Integer o2) {
                return map.get(o1)-map.get(o2);		// 通过map的value排序
            }
        });
        for(Integer key : map.keySet()){
            if(queue.size()<k)
                queue.add(key);
            else if(map.get(key)>map.get(queue.peek())) {	//如果次数比当前的多,则需要更新
                queue.remove();
                queue.add(key);
            }
        }
        int[] res = new int[k];
        for(int i=0;i<k;i++)
            res[i] = queue.poll();
        return res;
    }

提交结果

LeetCode 力扣 347. 前 K 个高频元素 top k frequent elements hashmap 优先队列 priorityqueue


2020年9月7日更

大家觉得写还可以,可以点赞、收藏、关注一下吧!
也可以到我的个人博客参观一下,估计近几年都会一直更新!和我做个朋友吧!https://motongxue.cn