4.2.The if-then-else Statement
When a “if” clause evaluates to false, the if-then-else statement offers a secondary path of execution. The applyBrakes method could be implemented with an if-then-else statement to execute a specific action in the event that the brakes are applied while the bicycle is not in motion. In this instance, the action is to generate an error message that indicates that the bicycle has already ceased operating.
void applyBrakes(){ if (isMoving) { currentSpeed--; } else { System.err.println("The bicycle has already stopped!"); } }
Based on the value of a test score, the subsequent program, IfElseDemo, assigns a grade: an A for a score of 90% or higher, a B for a score of 80% or higher, and so forth.
class IfElseDemo { public static void main(String[] args) { int testscore = 76; char grade; if (testscore >= 90) { grade = 'A'; } else if (testscore >= 80) { grade = 'B'; } else if (testscore >= 70) { grade = 'C'; } else if (testscore >= 60) { grade = 'D'; } else { grade = 'F'; } System.out.println("Grade = " + grade); } }
The program generates the following output:
Grade = C
You may have observed that the value of testscore can satisfy multiple expressions in the compound statement: 76 >= 70 and 76 >= 60. Nevertheless, the appropriate statements are executed once a condition is satisfied (grade = ‘C’;). and the remaining conditions are not assessed.