var foo = 0;
switch (foo) {
case -1:
console.log('1 negativo');
break;
case 0: // foo es 0, por lo tanto se cumple la condición y se ejecutara el siguiente bloque
console.log(0)
// NOTA: el "break" olvidado debería estar aquí
case 1: // No hay sentencia "break" en el 'case 0:', por lo tanto este caso también será ejecutado
console.log(1);
break; // Al encontrar un "break", no será ejecutado el 'case 2:'
case 2:
console.log(2);
break;
default:
console.log('default');
}
switch (new Date().getDay()) {
case 0:
day = "Sunday";
break;
case 1:
day = "Monday";
break;
case 2:
day = "Tuesday";
break;
case 3:
day = "Wednesday";
break;
case 4:
day = "Thursday";
break;
case 5:
day = "Friday";
break;
case 6:
day = "Saturday";
}
console.log(day);
switch(expression) {
case x:
// code of block to be executed when this case matches
break; // if you decide to run a return statement in a specific case, then don't write break
case y:
// code of block to be executed when this case matches
return "xyz"
// In this case no "break" will be written as we have written a return statement
default: "xyz" // If no case matches then the code written in the block of "default" will be executed
}
// For example
let x = 5;
switch(x) {
case 1:
console.log(`x value is ${x}`)
case 2:
console.log(`x value is ${x}`)
case 3:
console.log(`x value is ${x}`)
case 4:
console.log(`x value is ${x}`)
case 5:
console.log(`x value is ${x}`)
}
// Output "x value is 5"
switch (new Date().getDay()) { // input is current day
case 6: // if (day == 6)
text = "Saturday";
break;
case 0: // if (day == 0)
text = "Sunday";
break;
default: // else...
text = "Whatever";
}
// program using switch statement
let a = 1;
switch (a) {
case "1":
a = 1;
break;
case 1:
a = 'one';
break;
case 2:
a = 'two';
break;
default:
a = 'not found';
break;
}
console.log(`The value is ${a}`);
switch(variable/expression) {
case value1:
// body of case 1
break;
case value2:
// body of case 2
break;
case valueN:
// body of case N
break;
default:
// body of default
}
const dayNumber = new Date().getDay();
// Long-hand
let day;
switch (dayNumber) {
case 0:
day = "Sunday";
break;
case 1:
day = "Monday";
break;
case 2:
day = "Tuesday";
break;
case 3:
day = "Wednesday";
break;
case 4:
day = "Thursday";
break;
case 5:
day = "Friday";
break;
case 6:
day = "Saturday";
}
// Short-hand
const days = {
0: "Sunday",
1: "Monday",
2: "Tuesday",
3: "Wednesday",
4: "Thursday",
5: "Friday",
6: "Saturday",
};
const day = days[dayNumber];