Completion requirements
Read this chapter, which discusses the switch and '?' operators to write conditional statements. As you read this tutorial, you will learn that sometimes it is better to use a 'switch' statement when there are multiple choices to choose from. Under such conditions, an if/else structure can become very long, obscure, and difficult to comprehend. Once you have read the tutorial, you will understand the similarity of the logic used for the 'if/else' statement, '?', and 'switch' statements and how they can be used alternately.
12. if Statement Equivalent
Answer:
Of course. Any switch
statement can be done with nested if
s .
if
Statement Equivalent
if
Statement Equivalent
if
statements, or if else if
statements (which are really the same thing.) Here is the previous program, rewritten with equivalent if else if
statements.
import java.util.Scanner; class Switcher { public static void main ( String[] args ) throws IOException { String lineIn; char color ; String message = "Color is"; Scanner scan = new Scanner( System.in ); System.out.println("Enter a color letter:"); lineIn = scan.nextLine(); color = lineIn.charAt( 0 ); // get the first character if ( color=='r' || color=='R' ) message = message + " red" ; else if ( color=='o' || color=='O' ) message = message + " orange" ; else if ( color=='y' || color=='Y' ) message = message + " yellow" ; else if ( color=='g' || color=='G' ) message = message + " green" ; else if ( color=='b' || color=='B' ) message = message + " blue" ; else if ( color=='v' || color=='V' ) message = message + " violet" ; else message = message + " unknown" ; System.out.println ( message ) ; } } |
Question 12:
Is the program correct? Is ==
being used correctly?