题目
给你一个整数数组 nums 和一个整数 k ,判断数组中是否存在两个 不同的索引 i 和 j ,满足 nums[i] == nums[j] 且 abs(i - j) <= k 。如果存在,返回 true ;否则,返回 false 。
输入:nums = [1,2,3,1], k = 3 输出:true
输入:nums = [1,2,3,1,2,3], k = 2 输出:false
代码
public class Solution {
public boolean containsNearbyDuplicate(int[] nums, int k) {
HashSet<Integer> hashSet = new HashSet<>();
for (int i = 0; i < nums.length; i++) {
//维护一个不能重复的滑动窗口
if (hashSet.contains(i)) {
return true;
}
hashSet.add(i);
if (hashSet.size() > k) {
hashSet.remove(nums[i - k]);
}
}
return false;
}
}