Leetcode347.前K个高频元素

347. 前 K 个高频元素

给你一个整数数组 nums 和一个整数 k ,请你返回其中出现频率前 k 高的元素。你可以按 任意顺序 返回答案。

示例 1:

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

示例 2:

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

提示:

  • 1 <= nums.length <= 105
  • k 的取值范围是 [1, 数组中不相同的元素的个数]
  • 题目数据保证答案唯一,换句话说,数组中前 k 个高频元素的集合是唯一的

方法一:使用库函数

1
2
3
4
5
class Solution(object):
def topKFrequent(self, nums, k):
count = collections.Counter(nums)
res = [item[0] for item in count.most_common(k)]
return res

方法二:使用堆排序

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution(object):
def topKFrequent(self, nums, k):
# 记录每个数字出现的次数
counter = collections.Counter(nums)
heap = []

for key, val in counter.items():
heapq.heappush(heap, (val, key))
# 如果堆已满(大小>=k)且当前数的次数比堆顶大,用当前元素替换堆顶元素
if len(heap) > k:
heapq.heappop(heap)

# 返回堆中的数字部分
return [x[1] for x in heap]