Problem Description
You are given two integer arrays nums1
and nums2
. You are tasked to implement a data structure that supports queries of two types:
- Add a positive integer to an element of a given index in the array
nums2
. - Count the number of pairs
(i, j)
such thatnums1[i] + nums2[j]
equals a given value.
Implement the FindSumPairs
class:
FindSumPairs(int[] nums1, int[] nums2)
Initializes theFindSumPairs
object with two integer arraysnums1
andnums2
.void add(int index, int val)
Addsval
tonums2[index]
, i.e., applynums2[index] += val
.int count(int tot)
Returns the number of pairs(i, j)
such thatnums1[i] + nums2[j] == tot
.
Key Insights
- Use a hash map to keep track of the frequency of elements in
nums2
to efficiently count pairs. - When adding a value to an element in
nums2
, update the frequency map. - For counting pairs, iterate through
nums1
and check for the required value in the frequency map.
Space and Time Complexity
Time Complexity:
add
: O(1) for updating the value and the map.count
: O(n) where n is the length ofnums1
, as we need to check each element.
Space Complexity: O(m) where m is the maximum value in nums2
for storing the frequency.
Solution
To solve the problem, we can use a hash map (dictionary) to store the frequency of elements in nums2
. When the add
method is called, we simply update the value at the specified index and adjust the frequency in the map. For the count
method, we iterate through each element in nums1
, calculate the complement needed to reach the target sum, and check if this complement exists in the frequency map. The total count of pairs is the sum of the frequencies of these complements.