350. Intersection of Two Arrays II

Given two arrays, write a function to compute their intersection.

Example:
Given nums1 = [1, 2, 2, 1], nums2 = [2, 2], return [2, 2].

Note:

  • Each element in the result should appear as many times as it shows in both arrays.
  • The result can be in any order.
    Follow up:
  • What if the given array is already sorted? How would you optimize your algorithm?
  • What if nums1's size is small compared to nums2's size? Which algorithm is better?
  • What if elements of nums2 are stored on disk, and the memory is limited such that you cannot load all elements into the memory at once?

一刷
题解:这题很容易犯的错误是,如果有[2,2]和[2], 如果随机选一个作为binarysearch的参照,结果集会是[2,2]而不是正确的[2]。
这回采用的方法是,同时sort num1, num2,

public class Solution {
    public int[] intersect(int[] nums1, int[] nums2) {
        Arrays.sort(nums1);
        Arrays.sort(nums2);
        int len1 = nums1.length, len2 = nums2.length;
        int i=0, j = 0;
        List res = new ArrayList<>();
        while(inums2[j]) j++;
            else{
                res.add(nums1[i]);
                i++;
                j++;
            }
        }
        int[] a = new int[res.size()];
        for(i=0; i

二刷:
思路同一刷

public class Solution {
    public int[] intersect(int[] nums1, int[] nums2) {
        Arrays.sort(nums1);
        Arrays.sort(nums2);
        List res = new ArrayList();
        int i = 0, j = 0;
        int len1 = nums1.length, len2 = nums2.length;
        while(i nums2[j]) j++;
            else{
                res.add(nums1[i]);
                i++;
                j++;
            }
        }
        int[] a = new int[res.size()];
        for(int in=0; in

你可能感兴趣的:(350. Intersection of Two Arrays II)