一、问题描述
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.
二、问题分析
使用HashSet即可实现。
三、算法代码
public class Solution {
public boolean containsDuplicate(int[] nums) {
HashSet<Integer> result= new HashSet<Integer>();
for(int i = 0; i < nums.length; i++){
if(result.contains(nums[i])){
return true;
}else{
result.add(nums[i]);
}
}
return false;
}
}