LeetCodeAnimation/0477-total-hamming-distance/Article/0477-total-hamming-distance.md
程序员吴师兄 29df7e5b9a 0461、0477、1281 solved
0461、0477、1281 solved
2020-05-06 10:39:21 +08:00

102 lines
3.0 KiB
Java
Executable File
Raw Blame History

This file contains invisible Unicode characters

This file contains invisible Unicode characters that are indistinguishable to humans but may be processed differently by a computer. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

### 题目描述
两个整数的 [汉明距离](https://baike.baidu.com/item/汉明距离/475174?fr=aladdin) 指的是这两个数字的二进制数对应位不同的数量。
计算一个数组中任意两个数之间汉明距离的总和
示例 :
```
输入: 4, 14, 2
输出: 6
解释: 在二进制表示中4表示为010014表示为11102表示为0010这样表示是为了体现后四位之间关系
所以答案为
HammingDistance(4, 14) + HammingDistance(4, 2) + HammingDistance(14, 2) = 2 + 2 + 2 = 6.
```
**注意:**
1. 数组中元素的范围为从 `0` `10^9`
2. 数组的长度不超过 `10^4`
### 题目解析
已示例为例两两暴力计算的时间复杂度为o(n^2)实现上肯定是没有问题但是当数据量大的时候性能堪忧
我们先将数组与结果的数字二进制写出来
```
4 0 1 0 0
14 1 1 1 0
2 0 0 1 0
HammingDistance(4, 14) = 1 0 1 0
HammingDistance(4, 2) = 0 1 1 0
HammingDistance(14, 2) = 1 1 0 0
```
结合结果从左往右按列观察这三个数字的二进制与运算结果的二进制可以发现一种关系
数字个数 Count = 3
第一列 0 1 0 ==> 1 * (3 -1) = 2 = 1 0 1
> 本列只有1个1说明在所有数字的第一位中Count - 1个数字的第一位与 **本数字** 不同也就是求距离的时候结果为1 即这一位产生1的个数为1 * (3 -1)
第二列 1 1 0 ==> 2 * (3 -2) = 2 = 0 1 1
> 本列有2个1说明在所有数字的第二位中Count - 2个数字的第二位与这 **两个数字** 不同即这一位产生1的个数为Count - 2+ Count - 2= 2 *3 - 2
第三列同第二列
第四列 0 0 0 ==> 0 * (3 -0) = 0 = 0 0 0
> 本列所有数字相同求距离时也就不会产生1 结果为0
>
> 如果是 1 1 1也一样3 * (3 - 3) 结果依旧为0
总结 每一列求距离产生1的个数 = 本列 1 的个数 * 数字个数 本列1的个数= 本列 1 的个数 * 本列 0 的个数
### 动画理解
![](../Animation/Animation.mp4)
### 参考代码
```java
class Solution {
public int totalHammingDistance(int[] nums) {
int len=nums.length;
int[] bitCount = new int[32];
if(len <= 1){
return 0;
}
for(int numIndex = 0; numIndex < len; numIndex++){
for(int bitIndex = 0; bitIndex < 32; bitIndex++){
bitCount[bitIndex] += nums[numIndex] & 1;
nums[numIndex] = nums[numIndex] >> 1;
if(nums[numIndex] == 0){
break;
}
}
}
int oneCount = 0;
for(int bitIndex = 0; bitIndex < 32; bitIndex++){
oneCount += bitCount[bitIndex] * (len - bitCount[bitIndex]);
}
return oneCount;
}
}
```
### 复杂度分析
时间复杂度时间复杂度O(N log C) 其中 C是常数表示数组中数可能的最大值
空间复杂度O(log C)