Example Code
int a = 40;
int b = a >> 3;
Notes and Warnings
When you shift x right by y bits (x >> y), and the highest bit in x is a 1, the behavior depends on the exact data type of x. If x is of type int, the highest bit is the sign bit, determining whether x is negative or not, as we have discussed above. In that case, the sign bit is copied into lower bits, for esoteric historical reasons:
int x = -16;
int y = 3;
int result = x >> y;
This behavior, called sign extension, is often not the behavior you want. Instead, you may wish zeros to be shifted in from the left. It turns out that the right shift rules are different for unsigned int expressions, so you can use a typecast to suppress ones being copied from the left:
int x = -16;
int y = 3;
int result = (unsigned int)x >> y;
If you are careful to avoid sign extension, you can use the right-shift operator >>
as a way to divide by powers of 2. For example:
int x = 1000;
int y = x >> 3;