系列:哈希表
语言:java
题目来源:Leetcode349. 两个数组的交集
题目
给定两个数组 nums1 和 nums2 ,返回 它们的交集 。输出结果中的每个元素一定是 唯一 的。我们可以 不考虑输出结果的顺序 。
示例 1:
输入:nums1 = [1,2,2,1], nums2 = [2,2]
输出:[2]
示例 2:
输入:nums1 = [4,9,5], nums2 = [9,4,9,8,4]
输出:[9,4]
解释:[4,9] 也是可通过的
约束条件:
1 <= nums1.length, nums2.length <= 1000
0 <= nums1[i], nums2[i] <= 1000
思路:
分析:这道题目,主要要学会使用一种哈希数据结构:unordered_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];
}
Set<Integer> set1 = new HashSet<>();
Set<Integer> resSet = new HashSet<>();
//遍历数组
for(int i : nums1){
set1.add(i);
}
//遍历数组2的过程中判断哈希表中是否存在该元素
for(int i :nums2){
if(set1.contains(i)){
resSet.add(i);
}
}
//将结果转化为数组
return resSet.stream().mapToInt(x->x).toArray();
}
}
感谢您的阅读,希望对您有所帮助。关注我,完成每日算法自律打卡,什么时候开始都不晚!!