加载中...
454-四数相加 II(4Sum II)
发表于:2021-12-03 | 分类: 中等
字数统计: 789 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/4sum-ii

英文原文

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

中文题目

给你四个整数数组 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

示例 2:

输入:nums1 = [0], nums2 = [0], nums3 = [0], nums4 = [0]
输出:1

 

  提示:

  • 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

通过代码

高赞题解

解题思路

思路:

  1. 一采用分为两组,HashMap 存一组,另一组和 HashMap 进行比对。
  2. 这样的话情况就可以分为三种:
    • HashMap 存一个数组,如 A。然后计算三个数组之和,如 BCD。时间复杂度为:O(n)+O(n^3),得到 O(n^3).
    • HashMap 存三个数组之和,如 ABC。然后计算一个数组,如 D。时间复杂度为:O(n^3)+O(n),得到 O(n^3).
    • HashMap存两个数组之和,如AB。然后计算两个数组之和,如 CD。时间复杂度为:O(n^2)+O(n^2),得到 O(n^2).
  3. 根据第二点我们可以得出要存两个数组算两个数组。
  4. 我们以存 AB 两数组之和为例。首先求出 A 和 B 任意两数之和 sumAB,以 sumAB 为 key,sumAB 出现的次数为 value,存入 hashmap 中。
    然后计算 C 和 D 中任意两数之和的相反数 sumCD,在 hashmap 中查找是否存在 key 为 sumCD。
    算法时间复杂度为 O(n2)

代码

[]
class Solution { public int fourSumCount(int[] A, int[] B, int[] C, int[] D) { Map<Integer, Integer> map = new HashMap<>(); //Map<Integer, Integer> map = new HashMap<>(); int res = 0; for(int i = 0;i<A.length;i++){ for(int j= 0;j<B.length;j++){ int sumAB = A[i]+B[j]; if(map.containsKey(sumAB)) map.put(sumAB,map.get(sumAB)+1); else map.put(sumAB,1); } } for(int i = 0;i<C.length;i++){ for(int j = 0;j<D.length;j++){ int sumCD = -(C[i]+D[j]); if(map.containsKey(sumCD)) res += map.get(sumCD); } } return res; } }

统计信息

通过次数 提交次数 AC比率
85514 140886 60.7%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言

相似题目

题目 难度
四数之和 中等
上一篇:
453-最小操作次数使数组元素相等(Minimum Moves to Equal Array Elements)
下一篇:
456-132 模式(132 Pattern)
本文目录
本文目录