赞
踩
题目来源:力扣(LeetCode)https://leetcode-cn.com/problems/top-k-frequent-elements
给定一个非空的整数数组,返回其中出现频率前 k 高的元素。
示例 1:
输入: nums = [1,1,1,2,2,3], k = 2
输出: [1,2]
示例 2:
输入: nums = [1], k = 1
输出: [1]
提示:
首先审题,题目要求给定非空数组,求出频率前 k 高的元素。提示中说明,算法时间复杂度要优于 O(nlogn),又因为只需返回前 k 个频率最高的元素,那么我们借助堆的思路,对于频率 k 之后的不做处理,进而将时间复杂度优化到 O(nlogk)。
那么具体的做法如下:
具体代码实现如下(这里直接使用了 heapq 模块)。
from typing import List class Solution: def topKFrequent(self, nums: List[int], k: int) -> List[int]: hash_map = {} # 哈希表统计元素出现频率 for num in nums: if num not in hash_map: hash_map[num] = 0 hash_map[num] += 1 # 建立最小堆,存储频率最大的 k 个元素 import heapq pq = [] for key in hash_map: if len(pq) < k: heapq.heappush(pq, (hash_map[key],key)) elif hash_map[key] > pq[0][0]: heapq.heapreplace(pq, (hash_map[key],key)) # 取出最小堆中的元素 res = [] while pq: res.append(pq.pop()[1]) return res # nums = [3,0,1,0] # nums = [4,1,-1,2,-1,2,3] # k = 2 # solution = Solution() # print(solution.topKFrequent(nums, k))
公众号 【书所集录】
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。