ternary operator javascript multiple conditions code example
Example 1: js ternary else if multi
var foo = (
bar === 'a' ? 1 : // if
bar === 'b' ? 2 : // else if
bar === 'c' ? 3 : // else if
null // else
);
Example 2: Use Multiple Conditional Ternary Operators Javascript
// Use Multiple Conditional Ternary Operators Javascript.
function checkSign(num) {
return num > 0 ? "positive" : num < 0 ? "negative" : "zero";
}
console.log(checkSign(10));
console.log(checkSign(-10));
console.log(checkSign(0));
Example 3: nested ternary operator javascript
function example(…) {
return condition1 ? value1
: condition2 ? value2
: condition3 ? value3
: value4;
}
// Equivalent to:
function example(…) {
if (condition1) { return value1; }
else if (condition2) { return value2; }
else if (condition3) { return value3; }
else { return value4; }
}
Example 4: ternary operator shorthand javascript
let startingNum = startingNum ? otherNum : 1
// can be expressed as
let startingNum = otherNum || 1
// Another scenario not covered here is if you want the value
// to return false when not matched.
//The JavaScript shorthandfor this is:
let startingNum = startingNum ? otherNum : 0
// But it can be expressed as
let startingNum = startingNum && otherNum
Example 5: multiple ternary operator javascript
var icon = (area == 1) ? icon1 : (area == 2) ? icon2 : icon0;
Example 6: ternary operator for multiple conditions
String year = "senior";
if (credits < 30) {
year = "freshman";
} else if (credits <= 59) {
year = "sophomore";
} else if (credits <= 89) {
year = "junior";
}
Contrast this with the ternary operator:
String year = credits < 30 ? "freshman" : credits <= 59 ? "sophomore" : credits <= 89 ? "junior" : "senior";