LeetCode哈希表:存在重复元素

LeetCode哈希表:存在重复元素

题目描述

给你一个整数数组 nums 。如果任一值在数组中出现 至少两次 ,返回 true ;如果数组中每个元素互不相同,返回 false

示例 1:

输入:nums = [1,2,3,1]
输出:true

示例 2:

输入:nums = [1,2,3,4]
输出:false

示例 3:

输入:nums = [1,1,1,3,3,4,3,2,4,2]
输出:true

解题思路

起初想到的是存一个k,v的map,然后再遍历v,但凡有大于1的直接返回Ture,但是在编写存储过程中发现好像只需要判断当前遍历的是否在map中就可以了,然后值也不用存了,那么不如直接改为set进行存放。

代码

public class hash1 {
    public boolean containsDuplicate(int[] nums) {
        HashSet<Integer> map=new HashSet<>();
        for (int num :nums) {
            if (map.contains(num)) {
                return true;
            }else {
                map.add(num);
            }
        }
        return false;
    }
    public static void main(String[] args) {
        hash1 h=new hash1();
        System.out.println(h.containsDuplicate(new int[]{1, 2, 3, 1}));
    }
}

优化代码

class Solution {
    public boolean containsDuplicate(int[] nums) {
         Set<Integer> set=new HashSet<>();
        for (int num : nums) {
            boolean add = set.add(num);
            if (!add) return true;
        }
        return false;
    }
}

你可能感兴趣的:(leetcode,leetcode,散列表,算法)