191. Number of 1 Bits
Write a function that takes an unsigned integer and returns the number of ’1' bits it has (also known as the Hamming weight).
For example, the 32-bit integer ’11' has binary representation 00000000000000000000000000001011
, so the function should return 3.
此题就是计算一个32位的数中有几个1,当然一个一个右移也是可以的,n>>1,并用n&1判断末尾是不是1。但是这样下降的太慢,有一种更加技巧的方法,值得我去学习和记录。
n&(n-1);
这个公式可以来计算二进制数中有几个1,n-1时,从n的二进制的右边开始,出现第一个1的前面全部与n-1不同,后面则完全相同,例如100100 减1后的二进制是100011。同时进行&操作,则可以将包括这个1之后的所有位变为0;100100&100011 为1000000。同理进行下次迭代,就可以得到1的个数。
反正我是增长了一点知识,以后就会用了,很简单,但是还是写出来,给自己一个提醒吧。
int hammingWeight(uint32_t n) {
int sum = 0;
while(n!=0){
n = n&(n-1);
sum++;
}
return sum;
}
同时另外一个题也是一样
231. Power of Two
Given an integer, write a function to determine if it is a power of two.
只要判断是不是有一个1,就知道是不是2的指数了
bool isPowerOfTwo(int n) {
return (n>0)&&(!(n&(n-1)));
}