Journal Archive

/**
 * @param {number[]} nums1
 * @param {number[]} nums2
 * @return {number[]}
 */
var intersect = function(nums1, nums2) {
    const sortNums1 = nums1.sort((a, b) => a - b);
    const sortNums2 = nums2.sort((a, b) => a - b);
    const ans = [];
    
    let p1 = 0;
    let p2 = 0;
    
    while (p1 < nums1.length && p2 < nums2.length) {
        if (nums1[p1] === nums2[p2]) {
            ans.push(nums1[p1]);
            p1++;
            p2++;
        } 
        else if (nums1[p1] < nums2[p2]) {
            p1++;
        } else {
            p2++;
        }
    }
    
    return ans;
};

Day 83: Solving one of LeetCode problems

350. Intersection of Two Arrays II Difficulty - Easy

Given two integer arrays nums1 and nums2, return an array of their intersection. Each element in the result must appear as many times as it shows in both arrays and you may return the result in any order.

 

Example 1:

Input: nums1 = [1,2,2,1], nums2 = [2,2]
Output: [2,2]
		

Example 2:

Input: nums1 = [4,9,5], nums2 = [9,4,9,8,4]
Output: [4,9]
Explanation: [9,4] is also accepted.