Home > Article > Web Front-end > Can You Use Expressions in Switch Case Statements in JavaScript?
Expression Evaluation in Switch Case Statements
When crafting switch statements in programming, you might encounter situations where you desire to utilize expressions within case clauses instead of fixed values. While if statements readily accommodate such expressions, concerns arise about the potential efficiency of switch statements in such scenarios.
Consider the following JavaScript code:
<code class="javascript">function reward(amount) { var $reward = $("#reward"); switch (amount) { case (amount >= 7500 && amount < 10000): $reward.text("Play Station 3"); break; case (amount >= 10000 && amount < 15000): $reward.text("XBOX 360"); break; case (amount >= 15000): $reward.text("iMac"); break; default: $reward.text("No reward"); break; } }</code>
In this example, we attempt to evaluate expressions within the case clauses. However, we face a snag because the expressions only yield boolean values, whereas the amount value we're comparing is a number. This mismatch prevents the case clauses from triggering correctly.
One viable solution is to employ an alternative syntax:
<code class="javascript">switch (true) { case (amount >= 7500 && amount < 10000): // Code break; case (amount >= 10000 && amount < 15000): // Code break; // etc. }</code>
By introducing the true identifier, we effectively convert the expression evaluation to a comparison with the boolean true. When the expression in a case clause evaluates to true, the code within that clause will execute.
Although this technique appears slightly unconventional, it circumvents the limitations encountered when directly comparing expressions in case clauses. As a result, you can achieve the desired behavior while maintaining the efficiency advantages of switch statements.
The above is the detailed content of Can You Use Expressions in Switch Case Statements in JavaScript?. For more information, please follow other related articles on the PHP Chinese website!