1. 程式人生 > >leetcode算法題1: 兩個二進制數有多少位不相同?異或、位移、與運算的主場

leetcode算法題1: 兩個二進制數有多少位不相同?異或、位移、與運算的主場

output 判斷 ++ 輸入 urn ger ria 結果 ret

/*
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.
*/
int hammingDistance(int x, int y) {

}

題意: 輸入兩個int,求這兩個數的二進制數的不同的位的個數。

技術分享

辦法一:

* 可以利用異或的特性:相同為0,不同為1。把兩數異或,再判斷結果有幾個1。

??* 怎麽判斷int中有幾個1?

????* 可以對這個數除2運算,並記錄模2為1的個數,直至此數變到0。也就是模擬了轉二進制數的過程。

辦法二:

* 先異或。

* 如何判斷有幾個1?

??* 右移一位,再左移一位,如果不等於原數,就是有一個1。同樣模擬了轉二進制數的過程。

??* 除2即右移一位。

辦法三:

* 先異或。

* 如何判斷有幾個1?

while(n) {
    c++;
    n=n&(n-1);
}

n&(n-1)就是把n的最未的1變成0。


#include <stdio.h>

int hammingDistance(int x, int y) {
    int r = x ^ y;
    int cnt = 0;
    while (r > 0) {
        if (r%2 == 1) {
            cnt ++;
        }
        r = r/2;
    }
    return cnt;
}

int hammingDistance2(int x, int y) {
    int r=x^y;
    int cnt = 0;
    while (r) {
        if ((r>>1)<<1 != r) {
            cnt ++;
        }   
        r >>= 1;
    }
    return cnt;
}

int hammingDistance3(int x, int y) {
    int r=x^y;
    int cnt=0;
    while (r) {
        cnt ++;
        r=r&(r-1);
    }
    return cnt;
}

int main(int argc, char *argv[])
{
    printf("%d\n", hammingDistance3(1,4));
    return 0;
}

leetcode算法題1: 兩個二進制數有多少位不相同?異或、位移、與運算的主場