454. 四数相加 II

给你四个整数数组 nums1nums2nums3nums4 ,数组长度都是 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
解释:
两个元组如下:
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

Solution

class Solution {
    public int fourSumCount(int[] nums1, int[] nums2, int[] nums3, int[] nums4) {
        int temp = 0;
        int res = 0;
        Map<Integer,Integer> record = new HashMap<>();
        //统计两个数组中的元素之和,同时统计出现的次数,放入map
        for(int n1 : nums1) {
            for (int n2 : nums2) {
                temp = n1 + n2;
                if (record.containsKey(temp)) {
                    record.put(temp,record.get(temp)+1);
                } else {
                    record.put(temp,1);
                }
            }
        }
        //统计剩余的两个元素的和,在map中找是否存在相加为0的情况,同时记录次数
        for (int n3 : nums3) {
            for (int n4 : nums4) {
                temp = 0 - (n3 + n4);
                if (record.containsKey(temp)) {
                    res += record.get(temp);
                }
            }
        }
        return res;
    }
}