输入一个整数,输出该数32位二进制表示中1的个数。其中负数用补码表示。
输入:10 返回值:2
一、题目说明了 32 位数字,所以将将所给数字 n 和 1 逐位相与,看结果是否等于 1。每次与运算结束将 n 右移,最多循环32次。
二、如果一个整数不为0,那么这个整数至少有一位是1。如果我们把这个整数减1,那么原来处在整数最右边的 1 就会变为 0,原来在1后面的所有的0都会变成1(如果最右边的1后面还有0的话)。其余所有位将不会受到影响。
public class Solution { public int NumberOf1(int n) { int cnt = 0; int max = 32; while (max-- > 0) { cnt = (n & 0x80000000) == 0x80000000 ? cnt + 1 : cnt; n = n << 1; } return cnt; } }
public class Solution { public int NumberOf1(int n) { int cnt = 0; while(n!=0){ cnt++; n = n&(n-1); } return cnt; } }