Given a non-empty array of integers, return the k most frequent elements.git
Example 1:github
Input: nums = [1,1,1,2,2,3], k = 2
Output: [1,2]
Example 2:算法
Input: nums = [1], k = 1
Output: [1]
Note:數組
You may assume k is always valid, 1 ≤ k ≤ number of unique elements.
Your algorithm's time complexity must be better than O(n log n), where n is the array's size.app
給定一個非空的整數數組,返回其中出現頻率前 k 高的元素。ui
示例 1:code
輸入: nums = [1,1,1,2,2,3], k = 2
輸出: [1,2]
示例 2:ip
輸入: nums = [1], k = 1
輸出: [1]
說明:utf-8
你能夠假設給定的 k 老是合理的,且 1 ≤ k ≤ 數組中不相同的元素的個數。
你的算法的時間複雜度必須優於 O(n log n) , n 是數組的大小。element
# -*- coding: utf-8 -*- # @Author: 何睿 # @Create Date: 2019-04-09 12:37:36 # @Last Modified by: 何睿 # @Last Modified time: 2019-04-09 15:57:00 from collections import Counter class Solution: def topKFrequent(self, nums: [int], k: int) -> [int]: # 桶 bucket = dict() # 構建字典,鍵位數字,值爲該數字出現過的次數 table = Counter(nums) result, count = [], 0 # 以元素出現的次數位鍵,該次數下的全部元素構成的 List 爲值 for num, times in table.items(): if times not in bucket: bucket[times] = [] bucket[times].append(num) # 出現的最大次數 maxtime = max(table.values()) for time in range(maxtime, 0, -1): # 若是該次數下有元素 if time in bucket: # 提取當前次數下的全部元素到結果中 result.extend(bucket[time]) count += len(bucket[time]) if count == k: break return result