题目链接

题目描述

在一个长度为n的数组里的所有数字都在0到n-1的范围内。 数组中某些数字是重复的,但不知道有几个数字是重复的。也不知道每个数字重复几次。请找出数组中第一个重复的数字。 例如,如果输入长度为7的数组[2,3,1,0,2,5,3],那么对应的输出是第一个重复的数字2。没有重复的数字返回-1。

示例

  1. 输入:
  2. {2,3,1,0,2,5,3}
  3. 输出:
  4. 2

解题思路

通过 hasMap 中的 key 保存数组元素
如果存在重复的 key 则是返回当前 key

代码

  1. public int duplicate (int[] numbers) {
  2. if(numbers.length==0 || numbers==null){
  3. return -1;
  4. }
  5. HashMap<Integer,Integer> hash = new HashMap<>();
  6. for(int i : numbers){
  7. if(!hash.containsKey(i)){
  8. hash.put(i,0);
  9. }else{
  10. return i;
  11. }
  12. }
  13. return -1;
  14. }