找出数组中重复的数字。
在一个长度为 n 的数组 nums 里的所有数字都在 0~n-1 的范围内。数组中某些数字是重复的,但不知道有几个数字重复了,也不知道每个数字重复了几次。请找出数组中任意一个重复的数字。
示例 1:
输入:
[2, 3, 1, 0, 2, 5, 3]
输出:2 或 3
限制:
2 <= n <= 100000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/shu-zu-zhong-zhong-fu-de-shu-zi-lcof
解题思路
这道题本来不想写了,因为觉得过于简单,楼主的基本思路就是直接遍历一遍,放在一个collection集合类的set里面,如果有重复就可以返回了,没有就放进去。结果写完了之后看了一下时间和空间的排名,不是很高啊,赶紧去看看大牛的解法,发现了一种很有意思的解题思路。
- 利用Set 查重 - 简单
class Solution {
public int findRepeatNumber(int[] nums) {
HashSet<Integer> set = new HashSet<>();
int repeatNum = -1;
for(int i= 0; i< nums.length;i++){
if(set.contains(nums[i])){
repeatNum = nums[i];
break;
}
set.add(nums[i]);
}
return repeatNum;
}
}
- 注意审题,没有重复的话则说明在i位置上的数字应该就等于i,利用这个特点可以把nums[i]的数字m换到nums[m]的位置,如果该位置上已经是m了,则表示有重复的数字,否则就置换。高手!
class Solution {
public int findRepeatNumber(int[] nums) {
for(int i= 0; i< nums.length;i++){
while(nums[i]!=i){
if(nums[i] == nums[nums[i]])
return nums[i];
int tmp = nums[i];
nums[i] = nums[tmp];
nums[tmp] = tmp;
}
}
return -1;
}
}