We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Find the Integer Added to Array II

Difficulty: Medium


Problem Description

You are given two integer arrays nums1 and nums2. From nums1 two elements have been removed, and all other elements have been increased (or decreased in the case of negative) by an integer, represented by the variable x. As a result, nums1 becomes equal to nums2. Two arrays are considered equal when they contain the same integers with the same frequencies. Return the minimum possible integer x that achieves this equivalence.


Key Insights

  • We need to find two elements in nums1 that can be removed to make the modified nums1 equal to nums2.
  • The modification involves adding a constant integer x to the remaining elements of nums1.
  • The solution can be approached using sorting and a two-pointer technique to efficiently find the required x.

Space and Time Complexity

Time Complexity: O(n log n) due to sorting the array.
Space Complexity: O(1) if we ignore the input arrays, as we are using only a fixed amount of extra space.


Solution

To solve the problem, we can follow these steps:

  1. Sort both nums1 and nums2.
  2. Use a two-pointer technique to iterate through the sorted nums1, trying to remove each possible pair of elements.
  3. For each pair removed, compute the value of x that would make the modified nums1 equal to nums2.
  4. Track the minimum value of x found during the iterations.

We will use sorting to bring the elements into order and make it easier to compare the two arrays after removing elements.


Code Solutions

def find_integer_added(nums1, nums2):
    nums1.sort()
    nums2.sort()
    n = len(nums1)
    min_x = float('inf')

    for i in range(n):
        for j in range(i + 1, n):
            # Remove nums1[i] and nums1[j]
            modified_nums1 = [nums1[k] for k in range(n) if k != i and k != j]
            # Calculate the required x to make modified_nums1 equal to nums2
            x = nums2[0] - modified_nums1[0]
            if all(modified_nums1[k] + x == nums2[k] for k in range(n - 2)):
                min_x = min(min_x, x)

    return min_x
← Back to All Questions