C++ Notes: Bitwise Operators

C++ provides operators to work with the individual bits in ints. For this to be useful, you must have some idea of how integers are represented in binary. For example the decimal number 3 is represented as 11 in binary and the decimal number 5 is represented as 101 in binary.

The bitwise operators

OperatorNameDescription
a&band1 if both bits are 1. 3 & 5 is 1.
a|bor1 if either bit is 1. 3 | 5 is 7.
a^bxor1 if both bits are different. 3 ^ 5 is 6.
~anotThis unary operator inverts the bits. If ints are stored as 32-bit integers, !3 is 11111111111111111111111111111100.
n<<pleft shiftshifts the bits of n left p positions. Zero bits are shifted into the low-order positions. 3 << 2 is 12.
n>>pright shiftshifts the bits of n right p positions. If n is a 2's complement signed number, the sign bit is shifted into the high-order positions. 5 >> 2 is 1.

Packing and Unpacking

A common use of the bitwise operators (shifts with ands to extract values and ors to add values) is to work with multiple values that have been encoded in one int. Bit-fields are another way to do this. For example, let's say you have the following integer variables: age (range 0-127), gender (range 0-1), height (range 0-128). These can easily be packed and unpacked into/from one int like this (or many similar variations):
int age, gender, height, packed_info;
. . .
// packing
packed_info = (((age << 1) | gender) << 7) | height;
. . .
// unpacking
height = packed_info & 0x7f;
gender = (packed_info >> 7) & 1;
age    = (packed_info >> 8);

Setting flag bits

Some library functions take an int that contains bits, each of which represents a true/false (bool) value. This saves a lot of space and can be fast to process. [needs example]

Don't confuse && and &

Don't confuse &&, which is the short-circuit logical and, with &, which is the uncommon bitwise and. They may not produce the same result in a logical expression.

Shift left multiplies by 2; shift right divides by 2

On some older computers is was faster to use shift instead of the multiply or divide by a power of two. For example, to multiply x by 8 and put it in y,
y = x << 3;  // Assigns 8*x to y.

Flipping between on and off with xor

Sometimes xor is used to flip between 1 and 0.
x = x ^ 1;   // or the more cryptic x ^= 1;
in a loop will change x alternately between 0 and 1.

Exchanging values with xor

Here's some weird code I ran across once. I uses xor to exchange two values (x and y). Never use it; this is just a curiosity from the museum of bizarre code.
x = x ^ y;
y = x ^ y;
x = x ^ y;