1. 程式人生 > >Leetcode題解之其他(1)位1的個數

Leetcode題解之其他(1)位1的個數

題目:https://leetcode-cn.com/explore/interview/card/top-interview-questions-easy/26/others/64/

題目描述:

編寫一個函式,輸入是一個無符號整數,返回其二進位制表示式中數字位數為 ‘1’ 的個數(也被稱為漢明重量)。

示例 :

輸入: 11
輸出: 3
解釋: 整數 11 的二進位制表示為 00000000000000000000000000001011

 

示例 2:

輸入: 128
輸出: 1
解釋: 整數 128 的二進位制表示為 00000000000000000000000010000000

思路:用for 迴圈 每次將最高位右移動到最低位,再與 1(00000000000000000000000000000001) 進行 與 運算。

程式碼:

public class Solution {
    // you need to treat n as an unsigned value
    public int hammingWeight(int n) {
        int count=0;
        for(int i = 31;i >= 0; i--){
            if((n >>> i & 1)==1)
                count++;
        }
        return count;
    }
}