Search code examples
c#64-bitbit-manipulation

Count number of bits in a 64-bit (long, big) integer?


I have read through this SO question about 32-bits, but what about 64-bit numbers? Should I just mask the upper and lower 4 bytes, perform the count on the 32-bits and then add them together?


Solution

  • You can find 64 bit version here http://en.wikipedia.org/wiki/Hamming_weight

    It is something like this

    static long NumberOfSetBits(long i)
    {
        i = i - ((i >> 1) & 0x5555555555555555);
        i = (i & 0x3333333333333333) + ((i >> 2) & 0x3333333333333333);
        return (((i + (i >> 4)) & 0xF0F0F0F0F0F0F0F) * 0x101010101010101) >> 56;
    }
    

    This is a 64 bit version of the code form here How to count the number of set bits in a 32-bit integer?

    Using Joshua's suggestion I would transform it into this:

    static int NumberOfSetBits(ulong i)
    {
        i = i - ((i >> 1) & 0x5555555555555555UL);
        i = (i & 0x3333333333333333UL) + ((i >> 2) & 0x3333333333333333UL);
        return (int)(unchecked(((i + (i >> 4)) & 0xF0F0F0F0F0F0F0FUL) * 0x101010101010101UL) >> 56);
    }
    

    EDIT: I found a bug while testing 32 bit version. I added missing parentheses. The sum should be done before bitwise &, in the last line

    EDIT2 Added safer version for ulong