Given an array of integers and an integer k, find out whether there are two distinct indices i and j in the array such that nums[i] = nums[j] and the absolute difference between i and j is at most k.(i和j的距离在k以内)
Example 1:
Input: nums = [1,2,3,1], k = 3
Output: true
Example 2:
Input: nums = [1,0,1,1], k = 1
Output: true
Example 3:
Input: nums = [1,2,3,1,2,3], k = 2
Output: false
思路:用unordered_set,并且始终保持set中的元素在k个以内,一旦超过k,就删除前面的元素,这样保证了set中不会有下标距离之差大于k的元素。
代码如下:
bool containsNearbyDuplicate(vector<int>& nums, int k) {
unordered_set<int> s;
if(k<=0)
return false;
if(k>=nums.size())
k=nums.size()-1;
for(int i=0;i<nums.size();i++){
if(i>k)
s.erase(nums[i-k-1]);
if(s.find(nums[i])!=s.end())
return true;
s.insert(nums[i]);
}
return false;
}
本文探讨了一种高效的算法,用于在整数数组中查找是否存在两个不同下标i和j,使得nums[i]=nums[j]且|i-j|≤k。通过使用unordered_set,算法能够保持set内的元素数量不超过k,从而确保了set中不会存在下标距离大于k的重复元素。该方法适用于多种编程挑战,尤其是在处理大规模数据集时。
173

被折叠的 条评论
为什么被折叠?



