leetcode 697. 数组的度

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

你的任务是在 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 范围内的整数。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/degree-of-an-array
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

遍历数组,统计每个数字出现的次数,起始位置,结束位置(用长度为3的数组arr来记录),之后再统计数组arr,求出答案。

    public int findShortestSubArray(int[] nums) {
        Map<Integer, int[]> map = new HashMap<>();

        int min = 0;
        int length = nums.length;
        for (int i = 0; i < length; i++) {
            int num = nums[i];
            int[] arr = map.get(num);
            if (arr == null) {
                map.put(num, new int[]{1, i, i});
            } else {
                arr[2] = i;
                arr[0] += 1;
            }
        }
        int maxValue = -1;
        for (Map.Entry<Integer, int[]> entry : map.entrySet()) {
            int[] arr = entry.getValue();
            if (arr[0] > maxValue) {
                maxValue = arr[0];
                min = arr[2] - arr[1];
            } else if (arr[0] == maxValue && arr[2] - arr[1] < min) {
                min = arr[2] - arr[1];
            }
        }
        return min + 1;
    }

posted @ 2021-06-16 21:05  旺仔古李  阅读(31)  评论(0编辑  收藏  举报