力扣(LeetCode)官网 - 全球极客挚爱的技术成长平台
编写一个函数,输入是一个无符号整数(以二进制串的形式),返回其二进制表达式中数字位数为 '1' 的个数(也被称为汉明重量)。
思路:位运算
代码如下:
public class Solution {
// you need to treat n as an unsigned value
public int hammingWeight(int n) {
int res = 0;
while(n != 0){
n &= (n-1);
res++;
}
return res;
}
}