If I have long long x;
in c++, how can I loop over each bit in the number to check if it zero or 1?
I would like to count the number of ones in the bits.
If I have long long x;
in c++, how can I loop over each bit in the number to check if it zero or 1?
I would like to count the number of ones in the bits.
You need to use shifting >>
operator:
unsigned long long x = static_cast<unsigned long long>(your_value);
//unsigned long long fix for issue pointed out by @Zac Howland in comments
unsigned int count = 0;//number of 1 bits
while (x != 0)
{
unsigned long long bit = x & 1;
if( bit == 1 )
{
count ++;//...
}
else //zero
{
//...
}
x >>= 1;
}
There are other methods that do this in various ways, you can find them here (along with other stuff)
You need not to do the shift operation.:)
size_t count = 0;
for ( long long v = x; v; v &= v - 1 ) ++count;
const unsigned int BITCOUNT = sizeof(long long) * CHAR_BIT - 1;
// or
const unsigned int BITCOUNT = sizeof(unsigned long long) * CHAR_BIT;
for (unsigned int i = 0; i < BITCOUNT; ++i)
{
unsigned int test_bit = 1LL << i;
if (value & test_bit)
{
// do something
}
}
If you just want the bit count, you can use the SWAR algorithm:
unsigned int bit_count(unsigned long long i)
{
i = i - ((i >> 1) & 0x5555555555555555);
i = (i & 0x3333333333333333) + ((i >> 2) & 0x3333333333333333);
return (((i + (i >> 4)) & 0x0F0F0F0F0F0F0F0F) * 0x0101010101010101) >> 56;
}
The following program shows the process that is used to loop through a byte
#include <iostream>
int main()
{
std::uint_fast8_t flags{ 0b10011000 };
for (int i = 128; i >= 1; i /= 2)
{
if (flags & i)
std::cout << '1';
else
std::cout << '0';
}
std::cout << '\n';
return 0;
}
this prints: 10011000