191. Number of 1 Bits
On This Page
Problem Statement
Given an integer value represented in binary format, we need to count the number of ‘1’ bits in its binary representation.
Naive Solution
The naive solution for this problem would be to convert the binary number into a string and then simply iterate over the string and count the number of ‘1’s. However, this solution is not optimal and is not taking advantage of the properties of binary numbers.
Algorithm
The optimal solution for this problem involves using bitwise operation. Bitwise operations are a type of operation that works on the binary representation of numbers.
Specifically, we’ll use the bitwise AND
operator (&
) and bitwise right shift operator (>>
).
To count the number of 1 bits in the binary representation of a number, we can AND
the number with 1. If the result is 1, that means the least significant bit of the number is 1. We then right shift the number by 1 bit to check the next bit. We continue this process until the number becomes 0.
High Level Solution Logic
- Initialize a counter variable to 0.
- While the number is not 0:
- AND the number with 1.
- If the result is 1, increment the counter.
- Right shift the number by 1 bit.
- Return the counter.
Python Code
Here’s the Python code for this solution:
class Solution:
def hammingWeight(self, n: int) -> int:
bits = 0
while n:
bits += n & 1
n >>= 1
return bits
Example
Let’s say we have a binary number 00000001011
, which is 11
in decimal.
- Initialize a counter variable to 0. So,
bits = 0
. - Start the loop. The number
n
is 11, which is not 0, so we proceed. - We perform the operation
n & 1
. In binary,1011 & 0001
equals0001
, which is 1 in decimal. This is because the bitwiseAND
operation returns 1 only if both bits being compared are 1. So, since our least significant bit is 1, ourAND
operation returns 1. We increment our counter bits by 1. Nowbits = 1
. - We right shift our number by 1 bit using the operation
n >>= 1
. This operation moves all the bits of the number one position to the right.- Our number
1011
becomes 101 in binary or 5 in decimal.
- Our number
- Our updated number
n
is 5, which is not 0, so we repeat the process. - Now,
n & 1
is101 & 001
equals 001, which is 1 in decimal.- So, we increment our counter bits by 1.
- Now bits = 2.
- We right shift our number by 1 bit. Our number 101 becomes 10 in binary or 2 in decimal.
- Our updated number
n
is 2, which is not 0, so we repeat the process.
- Our updated number
- Now,
n & 1
is10 & 01
equals00
, which is 0 in decimal. So, we do not increment our counter bits. - We right shift our number by 1 bit. Our number 10 becomes 1 in binary.
- Our updated number
n
is 1, which is not 0, so we repeat the process.
- Our updated number
- Now,
n & 1
is1 & 1
equals 1. So, we increment our counter bits by 1.Now bits = 3
. - We right shift our number by 1 bit. Our number 1 becomes 0 in binary.
- Our updated number
n
is 0, which stops the loop.