Table of contents
Open Table of contents
Description
Given an array and a target number, return number of paired elements in the array where the difference between the two elements is the target. There might be duplicates in the array.
Check the test cases below for examples.
Solution
Idea
- We can build a hash map to count the unique values and how many for each value is in the array.
- We iterate through the hash map and look for
v+T
so that the difference between v andlook
would beT
(target). We add the multiplication of the counts forv
andlook
if suchlook
is found. We only look forv+T
and notv-T
to avoid double counting.
Complexity: Time O(n), Space O(n).
Python
from collections import Counter
def two_subtract(A: list[int], T: int) -> int:
cnt, res = Counter(A), 0
for v in cnt:
look = v + T
if look not in cnt: continue
res += cnt[look] * cnt[v]
return res
Unit test
import unittest
class TestTwoSubtract(unittest.TestCase):
def test_two_subtract(self):
cases = [
([1, 2], 3, 0), # no index pairs
([1, 2], 1, 1), # [[0,1]]
([1, 2, 0], 1, 2), # [[0,1],[0,2]]
([1, 2, 1, 2, 0], 1, 6) # [[0,1],[0,3],[1,2],[2,3],[0,4],[2,4]]
]
for nums, target, exp in cases:
with self.subTest(nums=nums, target=target, exp=exp):
self.assertEqual(exp, two_subtract(nums, target))