代码随想录二刷笔记记录
给你四个整数数组 nums1、nums2、nums3 和 nums4 ,数组长度都是 n ,请你计算有多少个元组 (i, j, k, l) 能满足:
0 <= i, j, k, l < n
nums1[i] + nums2[j] + nums3[k] + nums4[l] == 0
示例 1:
输入:nums1 = [1,2], nums2 = [-2,-1], nums3 = [-1,2], nums4 = [0,2]
输出:2
解释:
两个元组如下:
示例 2:
输入:nums1 = [0], nums2 = [0], nums3 = [0], nums4 = [0]
输出:1
由题可知,四个数组长度都是 n ,都是一样的。因此我们易知,遍历每个数组的长度是相等的。
因此只需要依次遍历4个数组
首先遍历 A数组 和 B数组,map的 key 和 value 分别记录 A数组和B数组的 sum,value 记录sum出现的次数
之后遍历 C数组 和 D数组, 将 0-(c+d) 作为 key ,在 map 中查找,如果存在 key,则代表 a+b+c+d = 0 ,存在四数相加 = 0 的元组
算法步骤
1.定义HashMap,key 存放 sum = a + b ,value 存放 sum 出现的次数
2.遍历数组A 和 B,统计两个数的sum,和sum出现的次数
3.维护变量 count 记录 a+b+c+d = 0 出现的次数
4.遍历数组C 和 D,记录 0-(c+d) ,在 map 中出现过的话,则加上 count
5.最后返回统计值 count
推演分析:
完整代码实现
public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
Map<Integer, Integer> map = new HashMap<>();
int res = 0;
//step1:统计前两个数组之和,及和出现的次数
for(int i = 0;i<nums1.length;i++){
for(int j= 0;j<nums2.length;j++){
int sumAB = nums1[i]+nums2[j];
if(map.containsKey(sumAB)) map.put(sumAB,map.get(sumAB)+1);
else map.put(sumAB,1);
}
}
//step2:统计后两个数组之和,并判断和的相反数是否存在于Map中
for(int i = 0;i<nums3.length;i++){
for(int j = 0;j<nums4.length;j++){
int sumCD = -(nums3[i]+nums4[j]);
if(map.containsKey(sumCD)) res += map.get(sumCD);
}
}
return res;
}