- 首先定义 一个unordered_map,key放a和b两数之和,value 放a和b两数之和出现的次数。
- 遍历大A和大B数组,统计两个数组元素之和,和出现的次数,放到map中。
- 定义int变量count,用来统计a+b+c+d = 0 出现的次数。
- 在遍历大C和大D数组,找到如果 0-(c+d) 在map中出现过的话,就用count把map中key对应的value也就是出现次数统计出来。
- 最后返回统计值 count 就可以了
class Solution {
public:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
unordered_map<int, int> map;
for(auto &a : A)
{
for(auto &b : B)
{
map[a + b]++;
}
}
int count = 0;
for(auto &c : C)
{
for(auto &d : D)
{
if(map.find(0 - (c + d)) != map.end())
{
count += map[-(c + d)];
}
}
}
return count;
}
};