JavaScript Switch Statement

Key Points:

  • The switch statement is used in JavaScript to perform different actions based on different conditions.
  • It offers an alternative to a series of if-else if-else statements when comparing a value to multiple possible case values.

Syntax:

switch (expression) {
  case value1:
    // Code to be executed if expression equals value1
    break;
  case value2:
    // Code to be executed if expression equals value2
    break;
  // Additional cases as needed
  default:
    // Code to be executed if none of the cases match
}

Example:

let day = 3;
let dayName;

switch (day) {
  case 1:
    dayName = 'Monday';
    break;
  case 2:
    dayName = 'Tuesday';
    break;
  case 3:
    dayName = 'Wednesday';
    break;
  case 4:
    dayName = 'Thursday';
    break;
  case 5:
    dayName = 'Friday';
    break;
  default:
    dayName = 'Weekend';
}

Switch Statement Details:

  • The switch statement evaluates an expression against multiple possible case values.
  • If a case matches the expression, the corresponding block of code is executed.
  • The break statement is used to exit the switch block after a case is executed, preventing fall-through to the next case.
  • If none of the cases match, the code inside the default block is executed.
  • The default block is optional, and if omitted, no action will be taken if none of the cases match.
  • The expression and case values are compared using strict equality (===).

The switch statement is a versatile tool for handling multiple conditions in a clear and efficient way in JavaScript.