Masks and Their Construction
Learn how to create mask values in C.
Creating mask values
Suppose n = 45
and your task is to:
- AND it with a number whose 3rd bit is on
- OR it with a number whose 7th bit is on
- XOR it with a number whose 4th bit is on
The original number is n
; the second operand is known as a mask. Here, we intend to learn how to create mask values.
Example program 1: Creating mask values using a hexadecimal number
See the code given below!
Press + to interact
#include <stdio.h>int main( ){// Initialize variablesunsigned char n = 45 ;unsigned x, y, z;// AND with number whose 3rd bit is ONx = n & 0x08;// OR with number whose 7th bit is ONy = n | 0x80;// XOR with number whose 4th bit is ONz = n ^ 0x10;// Display x, y, and zprintf ( "%d\n", x ) ;printf ( "%d\n", y ) ;printf ( "%d\n", z ) ;}
Line 9: The mask in which ...