LeetCodeAnimation/0454-4Sum-II/Article/0454-4Sum-II.md
程序员吴师兄 f104850874 整理文件
2020-04-17 15:39:41 +08:00

80 lines
2.1 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# LeetCode 454 号问题四数相加 II
> 本文首发于公众号图解面试算法 [图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>) 系列文章之一。
>
> 同步博客https://www.algomooc.com
题目来源于 LeetCode 上第 454 号问题四数相加 II题目难度为 Medium目前通过率为 50.8%
### 题目描述
给定四个包含整数的数组列表 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
```
### 题目解析
[Two Sum](https://xiaozhuanlan.com/topic/7923618450)类似,需要用哈希表来解决问题。
- A B 的两两之和都求出来在哈希表中建立两数之和与其出现次数之间的映射
- 遍历 C D 中任意两个数之和只要看哈希表存不存在这两数之和的相反数就行了
### 动画描述
![](../Animation/Animation.gif)
### 代码实现
```
// 454. 4Sum II
// https://leetcode.com/problems/4sum-ii/description/
// 时间复杂度: O(n^2)
// 空间复杂度: O(n^2)
class Solution {
public:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
unordered_map<int,int> hashtable;
for(int i = 0 ; i < A.size() ; i ++){
for(int j = 0 ; j < B.size() ; j ++){
hashtable[A[i]+B[j]] += 1;
}
}
int res = 0;
for(int i = 0 ; i < C.size() ; i ++){
for(int j = 0 ; j < D.size() ; j ++){
if(hashtable.find(-C[i]-D[j]) != hashtable.end()){
res += hashtable[-C[i]-D[j]];
}
}
}
return res;
}
};
```
![](../../Pictures/qrcode.jpg)