Bitwise Right shift >> operator
Bitwise Right shift operator >> is used to shift the binary sequence to right side by specified position.
Example
Let’s take a number 14.
Binary representation of 14 is 00001110 (for the sake of clarity let’s write it using 8 bit)
14 = (00001110) 2
Then 14 >> 1 will shift the binary sequence by 1 position to the right side.
Like,
Pictorial Explanation
data:image/s3,"s3://crabby-images/cb0b6/cb0b6cdae115096d33a2d0003c5a7e080501f3b8" alt="Bitwise right shift operator in c"
Application of Bitwise Right Shift Operator
In the above diagram, you can notice that whenever we shift the number one position to right, the output value will be exactly number / 2.
If I shift 14 by 1 position to the right, output will be 14 / 2 = 7. i.e 14/2 = 7
If I shift 14 by 2 position to the right, output will be 14 / 4 = 3. i.e 14/4 =3.5 since it’s an integer, fractional part will not be considered.
In general, if we shift a number by n times to right, the output will be number / (2n) .
Example
Let’s assume number as 128.
If we shift the number 5 position to the right, the output will be
= 128 >> 5
= 128 / (25)
=128/32
=4.
Program using bitwise right shift operator
Example
#Bitwise Right Shift operator in python var = 128; print("var = ", var>>0) #same value print("var/2 = ", var>>1) #1 position to right print("var/4 = ", var>>2) #2 position to right print("var/8 = ", var>>3) #3 position to right print("var/16 = ", var>>4) #4 position to right print("var/32 = ", var>>5) #5 position to right