Java If-else-if Statement

In Java, the if-else-if statement is used for making multiple sequential decisions based on conditions. Here's an overview:

Syntax:

if (condition1) {
    // Code to execute if condition1 is true
} else if (condition2) {
    // Code to execute if condition1 is false and condition2 is true
} else {
    // Code to execute if all conditions are false
}

Chained If-else-if Statement:

  • Allows multiple conditions to be checked sequentially until one is true.
  • Each else if statement is evaluated only if the previous conditions are false.
  • Example:
int score = 85;
if (score >= 90) {
    System.out.println("Grade: A");
} else if (score >= 80) {
    System.out.println("Grade: B");
} else if (score >= 70) {
    System.out.println("Grade: C");
} else if (score >= 60) {
    System.out.println("Grade: D");
} else {
    System.out.println("Grade: F");
}

Nested If-else-if Statement:

  • An if-else-if statement inside another if-else-if statement.
  • Example:
int num1 = 10;
int num2 = 20;
if (num1 > num2) {
    System.out.println("num1 is greater than num2");
} else if (num1 < num2) {
    System.out.println("num1 is less than num2");
} else {
    System.out.println("num1 is equal to num2");
}

 

Summary

if-else-if in Java evaluates multiple conditions sequentially, executing the block of code corresponding to the first true condition. It's crucial for implementing decision-making logic concisely in Java programs.