题目
在一个长度为 n 的数组 nums 里的所有数字都在 0~n-1 的范围内。数组中某些数字是重复的,但不知道有几个数字重复了,也不知道每个数字重复了几次。请找出数组中任意一个重复的数字。
输入:
[2, 3, 1, 0, 2, 5, 3]
输出:2 或 3
第一次思路
用两次遍历寻找具有相同的数字,速度慢
class Solution {
public int findRepeatNumber(int[] nums) {
int a=nums.length;
int b,c;
for(int i=0;i<a;i++){
b=nums[i];
for(int j=a-1;j<a-i;j--){
c=nums[j];
if(b==c){
return b;
}
}
}
return 0;
}
}
官方方法
由于只需要找出数组中任意一个重复的数字,因此遍历数组,遇到重复的数字即返回。为了判断一个数字是否重复遇到,使用集合存储已经遇到的数字,如果遇到的一个数字已经在集合中,则当前的数字是重复数字。
1、初始化集合为空集合,重复的数字 repeat = -1
2、遍历数组中的每个元素:将该元素加入集合中,判断是否添加成功;如果添加失败,说明该元素已经在集合中,因此该元素是重复元素,将该元素的值赋给 repeat,并结束遍历
3、返回 repeat
class Solution {
public int findRepeatNumber(int[] nums) {
Set<Integer> set = new HashSet<Integer>();
int repeat = -1;
for (int num : nums) {
if (!set.add(num)) {
repeat = num;
break;
}
}
return repeat;
}
}
复杂性分析
时间复杂度:O(n)。
遍历数组一遍。使用哈希集合(HashSet),添加元素的时间复杂度为 O(1),故总的时间复杂度是 O(n)。
空间复杂度:O(n)。不重复的每个元素都可能存入集合,因此占用 O(n)额外空间。
HashSet
HashSet这个类实现了Set集合,实际为一个HashMap的实例(容器不重复)
构造函数
无参数的构造函数,此构造函数创建一个大小为16的容器,加载因子为0.75
Set<String> set =new HashSet<String>();
Set<Integer> set =new HashSet<Integer>();
构造一个包含指定集合中的元素的新集合
HashSet(Collection<? extends E> c)
构造一个新的空集合; 背景HashMap实例具有指定的初始容量和默认负载因子(0.75)
HashSet(int initialCapacity)
构造一个新的空集合; 背景HashMap实例具有指定的初始容量和指定的负载因子。
HashSet(int initialCapacity, float loadFactor)
添加函数
HashSet添加元素
hashset.add("abc");//向hashset中添加一个字符串
hashset.add(1); //向hashset中添加一个整数
hashset.add('a'); //向hashset中添加一个字符
int[] abc={10,11,12};
hashset.add(abc); //向hashset中添加一个数组
Cat cat1=new Cat("asd", 2);
hashset.add(cat1); //向hashset中添加一个自定义对象
增强for形式
for (int num : nums)
for (String s : set){
System.out.print(s);
}