JavaScript If-else Ladder

Key Points:

  • An if-else ladder checks multiple conditions sequentially in a cascading manner.
  • The first true condition triggers the execution of its associated code block.
  • The else statement at the end provides a default action if none of the preceding conditions is true.
  • Careful ordering of conditions is essential for correct execution.
  • It's a concise and organized way to handle mutually exclusive conditions in decision-making logic.

Syntax:

if (condition1) {
  // Code to be executed if condition1 is true
} else if (condition2) {
  // Code to be executed if condition2 is true
} else if (condition3) {
  // Code to be executed if condition3 is true
} else {
  // Code to be executed if none of the conditions are true
}

Example:

let score = 75;

if (score >= 90) {
  console.log("A");
} else if (score >= 80) {
  console.log("B");
} else if (score >= 70) {
  console.log("C");
} else if (score >= 60) {
  console.log("D");
} else {
  console.log("F");
}

In this example, the score variable is checked against multiple conditions in a cascading manner. The first condition that evaluates to true will determine which block of code gets executed. The else block at the end acts as a fallback if none of the previous conditions is true.

 

Summary

Using an if-else ladder is a common approach when you have multiple mutually exclusive conditions to check. It helps in creating organized and readable code for decision-making logic.