题目
给定两个数组,写一个方法来计算它们的交集。
例如:
给定nums1 = [1, 2, 2, 1], nums2 = [2, 2]
, 返回 [2, 2]
.
注意:
- 输出结果中每个元素出现的次数,应与元素在两个数组中出现的次数一致。
- 我们可以不考虑输出结果的顺序。
跟进:
- 如果给定的数组已经排好序呢?你将如何优化你的算法?
- 如果 nums1 的大小比 nums2 小很多,哪种方法更优?
- 如果nums2的元素存储在磁盘上,内存是有限的,你不能一次加载所有的元素到内存中,你该怎么办?
解法1
用Map来建立nums1中字符和其出现个数之间的映射, 然后遍历nums2数组,如果当前字符在Map中的个数大于0,则将此字符加入结果res中,然后Map的对应值自减1。
class Solution {
public int[] intersect(int[] nums1, int[] nums2) {
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
for (int i = 0; i < nums1.length; i++) {
Integer value = map.get(nums1[i]);
map.put(nums1[i], (value == null ? 0 : value) + 1);
}
List<Integer> array = new ArrayList<Integer>();
for (int j = 0; j < nums2.length; j++) {
if (map.containsKey(nums2[j]) && map.get(nums2[j]) != 0) {
array.add(nums2[j]);
int value = map.get(nums2[j]);
map.put(nums2[j], value - 1);
}
}
int[] res = new int[array.size()];
int i = 0;
for (Integer e : array) {
res[i++] = e;
}
return res;
}
}
解法2
给两个数组排序,然后用两个索引分别代表两个数组的起始位置,如果两个索引所代表的数字相等,则将数字存入结果中,两个索引均自增1,如果第一个索引所代表的数字大,则第二个索引自增1,反之亦然。
class Solution {
public int[] intersect(int[] nums1, int[] nums2) {
Arrays.sort(nums1);
Arrays.sort(nums2);
int i = 0;
int j = 0;
List<Integer> tmp = new ArrayList<Integer>();
while (i < nums1.length && j < nums2.length) {
if (nums1[i] < nums2[j]) {
i++;
} else if (nums1[i] > nums2[j]) {
j++;
} else {
tmp.add(nums1[i]);
i++;
j++;
}
}
int[] res = new int[tmp.size()];
for (int k = 0; k < tmp.size(); k++) {
res[k] = tmp.get(k);
}
return res;
}
}