美文网首页LeeCode题目笔记
2019-11-22 四数相加 II

2019-11-22 四数相加 II

作者: Antrn | 来源:发表于2019-11-22 09:36 被阅读0次

    给定四个包含整数的数组列表 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
    
    C++1

    暴力不可取O(n^4)O(n^2)的思路见代码和注释。

    class Solution {
    public:
        int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
            unordered_map<int, int> mp;//hash表,键中存储前两个数组中元素组合起来时不同的和,值是每个和值出现的次数
            int temp; //临时变量,存储每次循环的两个数组中元素的和
            for(int i=0;i<A.size();i++){
                for(int j=0;j<B.size();j++){
                    temp = A[i]+B[j];
                    if(mp.count(temp)<=0){
                        mp.insert(make_pair(temp, 1));
                    }else{
                        mp[temp] += 1;
                    }
                }
            }
            int count=0; //计数,符合条件的两两相消为0的个数
            for(int m=0;m<C.size();m++){
                for(int n=0;n<D.size();n++){
                    temp = C[m]+D[n];
                    if(mp.count(-temp)<=0){
                        // 某个和在后两个数组中找不到能相加为0的情况
                        count+=0;
                    }else{
                        // 某个和值在后两个数组中的组合值能够相加为0,即后两个数组中元素相加为-temp
                        count+=mp[-temp];
                    }
                }
            }
            return count;
        }
    };
    

    相关文章

      网友评论

        本文标题:2019-11-22 四数相加 II

        本文链接:https://www.haomeiwen.com/subject/onrfwctx.html