Contains Duplicate I
Given an array of integers, find if the array contains any duplicates. Your function should return true if any value appears at least twice in the array, and it should return false if every element is distinct.
题目要求:输入一个整数数组,查看数组中是否存在重复的值。
使用java中的数据结构将已经遍历起来的值存储起来,然后查询当前的值是否已经遍历过。
这里我们使用set,如果包含重复值可以检测出。
class Solution {
public boolean containsDuplicate(int[] nums) {
HashSet<Integer> set=new HashSet<>();
if (nums==null||nums.length==0)
return false;
for (int i=0;i<nums.length;i++){
if (!set.add(nums[i]))
return true;
}
return false;
}
}
Contains DuplicateII
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,同样是整数数组,不同的是,要求两个重复值的之间的间隔不得超过k
通过hashmap存储已经遍历过的选项以及最近一次遍历到时的下标值。如果重复数值的下标之间的值不超过k,那么就证明重复值满足条件
class Solution {
public boolean containsNearbyDuplicate(int[] nums, int k) {
if (nums.length<=1)
return false;
HashSet<Integer> set=new HashSet<>();
for (int i=0;i<nums.length;i++){
if (i>k)
set.remove(nums[i-k-1]);
if (!set.add(nums[i]))
return true;
}
return false;
}
}
Contains Duplicate III
Given an array of integers, find out whether there are two distinct indices i and j in the array such that the absolute difference between nums[i] and nums[j] is at most t and the absolute difference between i and j is at most k.
题目要求:在II的基础上重新定义了相同的条件,也就是如果两个值之间的绝对差不超过t,那么就可以称这两个值相同。
要求判断之前是否存在差值小于t的数字,我们需要知道在当前数字x两边的数字,即最大的小于x的数字和最小的大于x的数字。二叉搜索树有也有这样的性质,它的左子树的最右节点是最大的较小值,右子树的最左节点是最小的较大值。这里我们用TreeSet这个类,它实现了红黑树,并有集合的性质,非常适合这题。我们同样也是维护一个大小为k的TreeSet,多余k个元素时把最早加入的给删除。用ceiling()和floor()可以找到最小的较大值和最大的较小值。
class Solution {
public boolean containsNearbyAlmostDuplicate(int[] nums, int k, int t) {
TreeSet<Integer> set=new TreeSet<>();
for(int i=0;i<nums.length;i++){
int temp=nums[i];
if(set.ceiling(temp)!=null&&set.ceiling(temp)<=t+temp)return true;
if(set.floor(temp)!=null&&temp<=t+set.floor(temp))return true;
set.add(temp);
if(set.size()>k)set.remove(nums[i-k]);
}
return false;
}
}
这一题参考了下面的连接