LeetCode链接:力扣
题目:
给你四个整数数组 nums1、nums2、nums3 和 nums4 ,数组长度都是 n ,请你计算有多少个元组 (i, j, k, l) 能满足:
0 <= i, j, k, l < n
nums1[i] + nums2[j] + nums3[k] + nums4[l] == 0
示例:
输入:nums1 = [1,2], nums2 = [-2,-1], nums3 = [-1,2], nums4 = [0,2]
输出:2
解释:
两个元组如下:
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
代码:
class Solution {
public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
Map<Integer, Integer> MapAB = new HashMap<Integer, Integer>();
for(int a:nums1){
for(int b:nums2){
MapAB.put(a+b, MapAB.getOrDefault(a+b, 0) + 1);
}
}
int count = 0;
for(int c:nums3){
for(int d:nums4){
if(MapAB.containsKey(-(c+d))){
count += MapAB.get(-(c+d));
}
}
}
return count;
}
}