The switch
statement in JavaScript is used to perform different actions based on different conditions. It is an alternative to using multiple if...else
statements, making the code easier to read and manage when you have many conditions to check. Below is the syntax of the switch
statement and an example to illustrate how it works.
Syntax of the switch
Statement
switch (key) {
case value1:
// Code to be executed if key === value1
break;
case value2:
// Code to be executed if key === value2
break;
// You can have any number of case statements.
default:
// Code to be executed if key doesn't match any case
break;
}
Example: Using switch
to Check the Month
Let's consider an example where we want to perform different actions based on the current month. We will use the switch
statement to achieve this.
const month = "march";
switch (month) {
case "january":
console.log("january");
break;
case "february":
console.log("february");
break;
case "march":
console.log("march");
break; // If this break was not here, all the cases below it would run without checking, EXCEPT the default case.
case "april":
console.log("april");
break;
default:
console.log("default case match");
break;
}
In the example above, the switch
statement checks the value of the month
variable:
If
month
is "january", it prints "january" and then breaks out of theswitch
statement.If
month
is "february", it prints "february" and then breaks out of theswitch
statement.If
month
is "march", it prints "march" and then breaks out of theswitch
statement.- If the
break
statement was missing here, the code would continue executing the subsequent cases, printing "april" and potentially more, which is usually undesirable behavior unless you're intentionally using a fall-through pattern.
- If the
If
month
is "april", it prints "april" and then breaks out of theswitch
statement.If
month
does not match any of the cases, thedefault
case is executed, printing "default case match".
The break
statement is crucial as it prevents the code from running into the next case accidentally. Without the break
statement, the program continues to execute the next cases even if a match is found, leading to potentially unintended behavior.