MDGSF Software Engineer

[算法学习][leetcode] 454 四数相加 II

2019-04-06
mdgsf
Art

求和系列题目

两数之和

三数之和

四数之和

四数相加 II

链接

https://leetcode-cn.com/problems/4sum-ii/

题目

给定四个包含整数的数组列表 A , B , C , D ,计算有多少个元组 (i, j, k, l) ,使得 A[i] + B[j] + C[k] + D[l] = 0。

为了使问题简单化,所有的 A, B, C, D 具有相同的长度 N,且 0 ≤ N ≤ 500 。所有整数的范围在 -228 到 228 - 1 之间,最终结果不会超过 231 - 1 。

例如:

输入:
A = [ 1, 2]
B = [-2,-1]
C = [-1, 2]
D = [ 0, 2]

输出:
2

解释:
两个元组如下:
1. (0, 0, 0, 1) -> A[0] + B[0] + C[0] + D[1] = 1 + (-2) + (-1) + 2 = 0
2. (1, 1, 0, 0) -> A[1] + B[1] + C[0] + D[0] = 2 + (-1) + (-1) + 0 = 0

代码

class Solution:
    def fourSumCount(self, A: List[int], B: List[int], C: List[int], D: List[int]) -> int:
        res = 0
        m = {}
        for a in A:
            for b in B:
                if a + b in m:
                    m[a + b] += 1
                else:
                    m[a + b] = 1
        for c in C:
            for d in D:
                if -(c+d) in m:
                    res += m[-(c + d)]
        return res

weixingongzhonghao

Similar Posts

Comments