top of page

Looking to master object-oriented and system design for tech interviews or career growth?

  • Improve your system design and machine coding skills.

  • Study with our helpful resources.

  • Prepare for technical interviews and advance your career.

**We're in beta mode and would love to hear your feedback.

Writer's pictureilluminati

Sum of pairwise Hamming Distance InterviewBit Solution


Problem Description:

Hamming distance between two non-negative integers is defined as the number of positions at which the corresponding bits are different.

Given an array A of N non-negative integers, find the sum of hamming distances of all pairs of integers in the array. Return the answer modulo 1000000007.


Problem Constraints

1 <= |A| <= 200000
1 <= A[i] <= 109

Input Format

First and only argument is array A.

Output Format

Return one integer, the answer to the problem.

Example Input

Input 1:
        A = [1] 

Input 2:
        A = [2, 4, 6] 

Example Output

Output 1:
         0 
Output 2:
         8

Example Explanation

Explanation 1:
        No pairs are formed. 

Explanation 2:
        We return, f(2, 2) + f(2, 4) + f(2, 6) + f(4, 2) + f(4, 4) +                 
                   f(4, 6) + f(6, 2) + f(6, 4) + f(6, 6) = 8

Solution:

int Solution::hammingDistance(const vector<int> &A) {
    int n = A.size();
    int ans=0;
    char arr[n*32];
    for(int i=0;i<n;i++){
        int num = A[i];
        for(int j=0;j<32;j++){
            char a;
            if(num&1==1)
            a = '1';
            else
            a = '0';
            arr[(i*32)+j] = a;
            num = num>>1;
        }
    }
    
    for(int i=0;i<32;i++){
        int zero=0;
        int one=0;
        for(int j=0;j<n;j++){
            
            if(arr[(j*32)+i]=='0')
            zero++;
            else
            one++;
            
        }
        ans = (ans + (2ll*one*zero))%1000000007;
    }
    
    return ans;
}

Comments


bottom of page