LeetCode 四数之和2

(java实现)


问题描述:

Given four lists A, B, C, D of integer values, compute how many tuples (i, j, k, l) there are such that A[i] + B[j] + C[k] + D[l] is zero.
To make problem a bit easier, all A, B, C, D have same length of N where 0 ≤ N ≤ 500. All integers are in the range of -228 to 228 - 1 and the result is guaranteed to be at most 231 - 1.

Example:
Input:
A = [ 1, 2]
B = [-2,-1]
C = [-1, 2]
D = [ 0, 2]
Output:
2
Explanation:
The two tuples are:

  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

问题分析:

这道题是之前那道4Sum的延伸,让我们在四个数组中各取一个数字,使其和为0。那么坠傻的方法就是遍历所有的情况,时间复杂度为O(n4)。但是我们想想既然Two Sum那道都能将时间复杂度缩小一倍,那么这道题我们使用哈希表是否也能将时间复杂度降到O(n2)呢?答案是肯定的,我们如果把A和B的两两之和都求出来,在哈希表中建立两数之和跟其出现次数之间的映射,那么我们再遍历C和D中任意两个数之和,我们只要看哈希表存不存在这两数之和的相反数就行了。

算法实现:

参考代码:

法一:
int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) 
{
    unordered_map<int, int> abSum;
    for(auto a : A) 
    {
        for(auto b : B) 
        {
            ++abSum[a+b];
        }
    }
    int count = 0;
    for(auto c : C) 
    {
        for(auto d : D) 
        {
            auto it = abSum.find(0 - c - d);
            if(it != abSum.end()) 
            {
                count += it->second;
            }
        }
    }
    return count;
}
法二:
class Solution {
public:
    int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) 
    {
        int res=0;
        map<int,int> m;
        for (int i=0; i<A.size(); i++)
            for (int j=0; j<B.size(); j++)
                m[A[i]+B[j]]++;
        
        for (int i=0; i<C.size(); i++)
            for (int j=0; j<D.size(); j++)
                res += m[-C[i]-D[j]];
        return res;
    }
};

猜你喜欢

转载自blog.csdn.net/u012449521/article/details/114198312