JZ11 二进制中1的个数
原题链接
描述
输入一个整数,输出该数32位二进制表示中1的个数。其中负数用补码表示。
示例1
输入:10
返回值:2
思路
一、题目说明了 32 位数字,所以将将所给数字 n 和 1 逐位相与,看结果是否等于 1。每次与运算结束将 n 右移,最多循环32次。如果这没有 32 位的限制的话,下面的解答就是错误的,因为对于负数:移位前是负的、移位后为了保证符号正确,前面永远补 1,所以右移时最终会出现 一连串的 1,导致死循环。
二、如果一个整数不为0,那么这个整数至少有一位是1。如果我们把这个整数减1,那么原来处在整数最右边的 1 就会变为 0,原来在1后面的所有的0都会变成1(如果最右边的1后面还有0的话)。其余所有位将不会受到影响。(解法二)
就是说如果把一个整数减一再和原数做与运算,会把该数最右边的 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;
}
}
更
package com.klaus.bit.prob15;
public class Solution {
//方法一,逐位遍历
public int hammingWeight(int n) {
int cnt = 0;
while (n!=0){
if ((n&1)==1)
cnt++;
n>>>=1;
}
return cnt;
}
// 方法二,通过 i & (-i) 得到最后一位 1 所在的位置的权重,然后用原数 i - 该权重相当于去掉了该位的 1,并用差更新 i
public int hammingWeight(int n) {
int cnt = 0;
for (int i = n; i != 0; i -= lowBit(i)) {
System.out.println(i);
++cnt;
}
return cnt;
}
private int lowBit(int i) {
return i & (-i);
}
}
本文来自博客园,作者:klaus08,转载请注明原文链接:https://www.cnblogs.com/klaus08/p/15150368.html