C++每日一練26-四數相加 II

binarySearchTrees發表於2020-11-27

四數相加 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

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/4sum-ii
整體思路
利用前兩個數相加的結果構建雜湊表並且記錄重複的元素的次數,通過雜湊表來判斷後兩個數的負數與key相加結果是否等於0,記錄元素次數總和即可
C++程式碼:

class Solution {
public:
	int fourSumCount(vector<int>& A, vector<int>& B, vector<int>& C, vector<int>& D) {
		unordered_map<int, int> mapAB;
		int ret = 0;
		for (int& n1 : A) {
			for (int& n2 : B) {//構建雜湊表
				if (mapAB.find(n1 + n2) == mapAB.end()) {
					mapAB[n1 + n2] = 1;
				}
				else {
					mapAB[n1 + n2]++;
				}
			}
		}
		for (int& n3 : C) {
			for (int& n4 : D) {
				if (mapAB.find(-n3-n4) != mapAB.end()) {//查詢是否能存在相加為0的key
					ret += mapAB[-n3 - n4];
				}
			}
		}
		return ret;
	}
};

JAVA程式碼

class Solution {
    public int fourSumCount(int[] A, int[] B, int[] C, int[] D) {
        int ret=0;
        Map<Integer,Integer> mapAB=new HashMap<Integer, Integer>();
        for(int n1:A){
            for(int n2:B){
                mapAB.put(n1+n2,mapAB.getOrDefault(n1 + n2, 0) + 1);
            }
        }
        for (int n3 : C) {
            for (int n4 : D) {
                if (mapAB.containsKey(-n3 - n4)) {
                    ret += mapAB.get(-n3 - n4);
                }
            }
        }
        return ret;
    }
}

複雜度分析
時間複雜度: O(n^2) n為陣列的長度
空間複雜度:O(n^2)

相關文章