哈希表:set的使用

题目:349. 两个数组的交集

给定两个数组,编写一个函数来计算它们的交集。

输入:nums1 = [1,2,2,1], nums2 = [2,2]
输出:[2]

输入:nums1 = [4,9,5], nums2 = [9,4,9,8,4]
输出:[9,4]

说明:

  • 输出结果中的每个元素一定是唯一的。
  • 我们可以不考虑输出结果的顺序。

思路

用数组做哈希表就可以解决这道题目,把nums1的元素,映射到哈希数组的下表上,然后在遍历nums2的时候,判断是否出现过。

但是使用数组来做哈希的题目,都限制了数值的大小,比如题目中只有小写字母,或者数值大小在[0- 10000] 之内等等。

这道题没有限制数值的大小,故使用另一种结构体Set。

代码

class Solution {
    public int[] intersection(int[] nums1, int[] nums2) {
        if (nums1 == null || nums1.length == 0 || nums2 == null || nums2.length == 0) {
            return new int[0];
        }
        HashSet<Integer> set1 = new HashSet<>();
        HashSet<Integer> set2 = new HashSet<>();
        for(int num:nums1){
            set1.add(num);
        }
        for(int num:nums2){
            if(set1.contains(num)){
                set2.add(num);
            }
        }
        int res[] = new int [set2.size()];
        int index = 0;
        for(int num:set2){
            res[index++] = num;
        }
        return res;
    }
}
上一篇:【Python】set集合详解


下一篇:[转载] Python集合取交集intersection()函数和intersection_update()函数