8

如果我long long x;在 C++ 中,我如何遍历数字中的每一位以检查它是零还是 1?

我想计算位中的个数。

4

4 回答 4

14

您需要使用移位>>运算符:

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;
}

还有其他方法可以通过各种方式执行此操作,您可以在此处找到它们(以及其他内容)

于 2013-11-18T18:18:50.723 回答
2

你不需要做移位操作。:)

size_t count = 0;

for ( long long v = x; v; v &= v - 1 ) ++count;
于 2013-11-18T18:24:20.017 回答
0
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;
}
于 2013-11-18T18:20:21.813 回答
0

以下程序显示了用于循环一个字节的过程

#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;
}

这打印:10011000

于 2020-11-19T14:06:16.327 回答