Leetcode::count triplets that can form two arrays of equal xor

point

Design

Big O(time)

Code

using prefix

class Solution {
public:
    int countTriplets(vector<int>& arr) {
        int n = arr.size();
        int prefix = 0;
        map<int,int> countMap, totalMap;
        countMap[0] = 1;
        int cnt = 0;
        for (int i = 0; i < n; i++) {
            prefix ^= arr[i];
            cnt += countMap[prefix] * i - totalMap[prefix];
            totalMap[prefix] += (i + 1);
            countMap[prefix]++;
        }
        return cnt;
    }
};

using map

class Solution {
public:
    int countTriplets(vector<int>& arr) {
        int ret = 0;
        int n = arr.size();
        for(int j = 1; j < n; j++) {
            map<int,int> LE, RI;
            int toLeft = 0, toRight = 0;
            int i = j - 1;
            while (i >= 0) {
                toLeft ^= arr[i];
                LE[toLeft]++;
                i--;
            }
            int k = j;
            while (k < n) {
                toRight ^= arr[k];
                RI[toRight]++;
                k++;
            }
            for (auto it = LE.begin(); it != LE.end(); it++) {
                if (RI.find(it->first) != RI.end()) {
                    ret += (it->second) * (RI[it->first]);
                }
            }
        }
        return ret;
    }
};