Given four integer arrays nums1
, nums2
, nums3
, and nums4
all of length n
, return the number of tuples (i, j, k, l)
such that:
0 <= i, j, k, l < n
nums1[i] + nums2[j] + nums3[k] + nums4[l] == 0
Example 1:
Input: nums1 = [1,2], nums2 = [-2,-1], nums3 = [-1,2], nums4 = [0,2] Output: 2 Explanation: The two tuples are: 1. (0, 0, 0, 1) -> nums1[0] + nums2[0] + nums3[0] + nums4[1] = 1 + (-2) + (-1) + 2 = 0 2. (1, 1, 0, 0) -> nums1[1] + nums2[1] + nums3[0] + nums4[0] = 2 + (-1) + (-1) + 0 = 0
Example 2:
Input: nums1 = [0], nums2 = [0], nums3 = [0], nums4 = [0] Output: 1
Constraints:
n == nums1.length
n == nums2.length
n == nums3.length
n == nums4.length
1 <= n <= 200
-228 <= nums1[i], nums2[i], nums3[i], nums4[i] <= 228
Related Topics:
Array, Hash Table
Similar Questions:
Use map to store the counts of different sums in AB
and CD
. Use two pointers one from smallest in AB
going to greater values, and the other one from greatest in CD
to smaller values. Whenever found a pair summing to 0, add count1 * count2
to the result.
The sum
function iterates through O(N^2)
pairs and accessing the map
at most take O(log(N^2))=O(logN)
time. So the sum
takes O(N^2 * logN)
time.
Each map
has O(N^2)
data in the worst case and the bi-directional search only traverse each map once at most, so the searching takes O(N^2)
time.
So, overall it takes O(N^2 * logN)
time.
// OJ: https://leetcode.com/problems/4sum-ii
// Author: github.com/lzl124631x
// Time: O(N^2 * logN)
// Space: O(N^2)
class Solution {
private:
void sum(vector<int> &A, vector<int> &B, map<int, int> &m) {
for (auto a : A) {
for (auto b : B) m[a + b]++;
}
}
public:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
map<int, int> a, b;
sum(A, B, a);
sum(C, D, b);
auto i = a.begin();
auto j = b.rbegin();
int ans = 0;
while (i != a.end() && j != b.rend()) {
if (i->first + j->first == 0) {
ans += i->second * j->second;
++i;
++j;
} else if (i->first + j->first < 0) ++i;
else ++j;
}
return ans;
}
};
Similar to Solution 1, but use unordered_map
instead. Loop through one of it, and find if the counterpart exists.
// OJ: https://leetcode.com/problems/4sum-ii
// Author: github.com/lzl124631x
// Time: O(N^2)
// Space: O(N^2)
class Solution {
public:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
int N = A.size(), ans = 0;
unordered_map<int, int> a, b;
for (int i = 0; i < N; ++i) {
for (int j = 0; j < N; ++j) {
a[A[i] + B[j]]++;
b[C[i] + D[j]]++;
}
}
for (auto &[m, cnt] : a) {
if (b.count(-m)) ans += cnt * b[-m];
}
return ans;
}
};
// OJ: https://leetcode.com/problems/4sum-ii
// Author: github.com/lzl124631x
// Time: O(N^2)
// Space: O(N^2)
class Solution {
public:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
unordered_map<int, int> m;
for (auto a : A) {
for (auto b : B) m[a + b]++;
}
int cnt = 0;
for (auto c : C) {
for (auto d : D) {
if (m.find(-c - d) != m.end()) {
cnt += m[-c - d];
}
}
}
return cnt;
}
};