Description
The Hamming distance between two integers is the number of positions at which the corresponding bits are different.
Given two integers x and y, calculate the Hamming distance.
Note:
0 ≤ x, y < 231.
Example:
Input: x = 1, y = 4
Output: 2
Explanation:
1 (0 0 0 1)
4 (0 1 0 0)
↑ ↑
The above arrows point to positions where the corresponding bits are different.
Solution
#include<iostream>
using namespace std;
class Solution {
public:
int hammingDistance(int x, int y) {
int xoy= x ^ y, count = 0;
while (xoy > 0)
{
count += (xoy&1);
xoy = xoy >> 1;
}
return count;
}
};
int main()
{
int aa =55, bb = 111;
Solution sol;
int result;
result = sol.hammingDistance(aa, bb);
cout <<"hamming distance between "<<aa<<" and "<<bb<<" is :"<< result << endl;
system("pause");
return 0 ;
}
本文介绍了一种计算两个整数之间汉明距离的方法,即比较两个整数对应的二进制位中不同的位数。通过使用异或运算和位操作,实现了一个高效的算法来计算汉明距离。
1916

被折叠的 条评论
为什么被折叠?



