697. Degree of an Array (Easy)
给定一个非空且只包含非负数的整数数组 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范围内的整数。
public int findShortestSubArray(int[] nums) {
//统计 nums 中数字出现的次数
HashMap<Integer,Integer> freq = new HashMap<>();
// <num,num在数组中的结尾下标>
HashMap<Integer,Integer> numLastIndex = new HashMap<>();
// <num,num在数组中的起始下标>
HashMap<Integer,Integer> numFirstIndex = new HashMap<>();
for(int i=0;i<nums.length;i++){
int num = nums[i];
freq.put(num,freq.getOrDefault(num,0)+1);
numLastIndex.put(num,i);
if(!numFirstIndex.containsKey(num)){
//判断是否已经存在 num,如果已经存在,就不能覆盖,因为这是该元素在数组中的起始下标
numFirstIndex.put(num,i);
}
}
//获取该数组的度
int degree = 0;
for(int num : nums){
degree = Math.max(degree,freq.get(num));
}
int res = Integer.MAX_VALUE;
//要保证最短,则该连续子数组值需从 num 的开始位置和结束位置截取
for(int num : nums){
if(freq.get(num) < degree){
continue;
}
res = Math.min(res,numLastIndex.get(num)-numFirstIndex.get(num)+1);
}
return res;
}
参考:
标签:HashMap,示例,int,nums,数组,new From: https://www.cnblogs.com/i9code/p/18000319