题目
找出数组中重复的数字。
在一个长度为 n 的数组 nums 里的所有数字都在 0~n-1 的范围内。数组中某些数字是重复的,但不知道有几个数字重复了,也不知道每个数字重复了几次。请找出数组中任意一个重复的数字。
示例 1:
输入:
[2, 3, 1, 0, 2, 5, 3]
输出:2 或 3
限制:
2 <= n <= 100000
思路一 - 哈希集合
可以使用哈希的set集合
注意项有Set 和HashSet的大小写区分
class Solution {
public int findRepeatNumber(int[] nums) {
Set <Integer> xx=new HashSet<>();
for(int num:nums){
if(xx.contains(num))return num;
xx.add(num);
}
return 0;
}
}
思路二 - 原地置换
这个原地置换比较微妙,主要参考了网友的题解
class Solution {
public int findRepeatNumber(int[] nums) {
int i = 0;
while(i < nums.length) {
if(nums[i] == i) {
i++;
continue;
}
if(nums[nums[i]] == nums[i]) return nums[i];
int tmp = nums[i];
nums[i] = nums[tmp];
nums[tmp] = tmp;
}
return -1;
}
}