Skip to content

Latest commit

 

History

History
64 lines (45 loc) · 1.85 KB

697-degree-of-an-array.md

File metadata and controls

64 lines (45 loc) · 1.85 KB

697. Degree of an Array - 数组的度

给定一个非空且只包含非负数的整数数组 nums, 数组的度的定义是指数组里任一元素出现频数的最大值。

你的任务是找到与 nums 拥有相同大小的度的最短连续子数组,返回其长度。

示例 1:

输入: [1, 2, 2, 3, 1]
输出: 2
解释: 
输入数组的度是2,因为元素1和2的出现频数最大,均为2.
连续子数组里面拥有相同度的有如下所示:
[1, 2, 2, 3, 1], [1, 2, 2, 3], [2, 2, 3, 1], [1, 2, 2], [2, 2, 3], [2, 2]
最短连续子数组[2, 2]的长度为2,所以返回2.

示例 2:

输入: [1,2,2,3,1,4,2]
输出: 6

注意:

  • nums.length 在1到50,000区间范围内。
  • nums[i] 是一个在0到49,999范围内的整数。

题目标签:Array

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
python3 1208 ms N/A
class Solution:
    def findShortestSubArray(self, nums):
        """
        :type nums: List[int]
        :rtype: int
        """
        res = len(nums)
        cnt = sorted(collections.Counter(nums).items(), key=lambda x: x[1], reverse=True)
        ns = [i[0] for i in filter(lambda x: x[1] == cnt[0][1], cnt)]
        for n in ns:
            res = min(res, len(nums)-1-nums[::-1].index(n) - nums.index(n) + 1)
        return res