Decisions Using switch in C

The control statement that allows us to make a decision from the number of choices is called a switch, or more correctly a switch-case-default, since these three keywords go together to make up the control statement. They most often appear as follows:

switch ( integer expression ) 
{ 
case constant 1 : 
 do this ; 
case constant 2 : 
 do this ; 
case constant 3 : 
 do this ; 
 default : 
 do this ;
}

The integer expression following the keyword switch is any C expression that will yield an integer value. It could be an integer constant like 1, 2 or 3, or an expression that evaluates to an integer. The keyword case is followed by an integer or a character constant. Each constant in each case must be different from all the others. The “do this” lines in the above form of switch represent any valid C statement

What happens when we run a program containing a switch ? First, the integer expression following the keyword switch is evaluated. The value it gives is then matched, one by one, against the constant values that follow the case statements. When a match is found, the program executes the statements following that case, and all subsequent case and default statements as well. If no match is found with any of the case statements, only the statements following the default are executed. A few examples will show how this control structure works

Consider the following program:

main( )
{
int i = 2 ;
switch ( i )
{
case 1 :
printf ( “I am in case 1 \n” ) ;
break ;
case 2 :
printf ( “I am in case 2 \n” ) ;
break ;
case 3 :
printf ( “I am in case 3 \n” ) ;
break ;
default :
printf ( “I am in default \n” ) ;
}
}

The output of this program would be:

I am in case 2

more example of switch

switch ( ch )
{
case ‘a’ :
case ‘A’ :
printf ( “a as in ashar” ) ;
break ;
case ‘b’ :
case ‘B’ :
printf ( “b as in brain” ) ;
break ;
case ‘c’ :
case ‘C’ :
printf ( “c as in cookie” ) ;
break ;
default :
printf ( “wish you knew what are alphabets” ) ;
}
}

Leave a Comment