Programming: Binary Representation of a given number

Hello friends,
I've been reading one article about bits and bit fields in C, and I came across some methods to represent a number in binary form in C. So below are some methods and algorithms.

Method 1: Iterative
For any number, we can check whether its ‘i’th bit is 0(OFF) or 1(ON) by bitwise ANDing it with "2^i" (2 raise to i).

1) Let us take number 'NUM' and we want to check whether it's 0th bit is
ON or OFF
 bit = 2 ^ 0 (0th bit)
 if  NUM & bit == 1 means 0th bit is ON else 0th bit is OFF

2) Similarly if we want to check whether 5th bit is ON or OFF
 bit = 2 ^ 5 (5th bit)
 if NUM & bit == 1 means its 5th bit is ON else 5th bit is OFF.

Let us take unsigned integer (32 bit), which consist of 0-31 bits. To print binary representation of unsigned integer, start from 31th bit, check whether 31th bit is ON or OFF, if it is ON print "1" else print "0". Now check whether 30th bit is ON or OFF, if it is ON print "1" else print "0", do this for all bits from 31 to 0, finally we will get binary representation of number.

void bin(unsigned n)
{
    unsigned i;
    for (i = 1 << 31; i > 0; i = i / 2)
        (n & i)? printf("1"): printf("0");
}
int main(void)
{
    bin(7);
    printf("\n");
    bin(4);
}

Method 2: Recursive

 Following is recursive method to print binary representation of ‘NUM’.
 step 1) if NUM > 1
a) push NUM on stack
b) recursively call function with 'NUM / 2'
 step 2)
a) pop NUM from stack, divide it by 2 and print it's remainder.

void bin(unsigned n)
{    
/* step 1 */    
if (n > 1)
         bin(n/2);    
/* step 2 */
     printf("%d", n % 2);
 }
 int main(void)
 {
     bin(7);
     printf("\n");
     bin(4);
 }

 This article has been shared from Geeks for Geeks. Hope it helps. ..... Next time...:)

0 comments:

Post a Comment

+