阿犇

记录生活中的点点滴滴

0%

二进制中1的个数

6.23 每日一题

传送门:https://leetcode-cn.com/problems/er-jin-zhi-zhong-1de-ge-shu-lcof/

Problem

请实现一个函数,输入一个整数(以二进制串形式),输出该数二进制表示中 1 的个数。例如,把 9 表示成二进制是 1001,有 2 位是 1。因此,如果输入 9,则该函数输出 2。

示例 1

1
2
3
输入:00000000000000000000000000001011
输出:3
解释:输入的二进制串 00000000000000000000000000001011 中,共有三位为 '1'。

示例 2

1
2
3
输入:00000000000000000000000010000000
输出:1
解释:输入的二进制串 00000000000000000000000010000000 中,共有一位为 '1'。

示例 3

1
2
3
输入:11111111111111111111111111111101
输出:31
解释:输入的二进制串 11111111111111111111111111111101 中,共有 31 位为 '1'。
数据范围
1
输入必须是长度为 32 的 二进制串 。

移位+判断

1
2
3
4
5
6
7
8
9
10
11
12
class Solution {
public:
int hammingWeight(uint32_t n) {
int cnt=0;
while(n){
int x=n&1;
if(x) cnt++;
n>>=1;
}
return cnt;
}
};

时间复杂度:$O(k)$,$k$为$n$的位数,为32.

lowbit

x&(x-1)

把最低位的1变为0。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
public:
// lowbit2:把最低位的1变为0
uint32_t lowbit2(uint32_t x){
return x&(x-1);
}
int hammingWeight(uint32_t n) {
int cnt=0;
while(n){
n=lowbit2(n);
cnt++;
}
return cnt;
}
};

时间复杂度:$O(lgn)$。

x&-x

返回x的最后一位1(从低往高数)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
public:
// lowbit:返回x的最后一位1(从低往高数)
uint32_t lowbit2(uint32_t x){
return x&(-x);
}
int hammingWeight(uint32_t n) {
int cnt=0;
while(n){
n-=lowbit2(n);
cnt++;
}
return cnt;
}
};

时间复杂度:$O(lgn)$。

您的支持是我继续创作的最大动力!