ternary operator syntax js code example
Example 1: js ternary
condition ? ifTrue : ifFalse
Example 2: javascript ternary
// example:
age >= 18 ? `wine` : `water`;
// syntax:
// <expression> ? <value-if-true> : <value-if-false>
Example 3: ternary operator javascript
// ternary operators are frequently used as a shorter cleaner if statement
// condition ? exprIfTrue : exprIfFalse
let age = 15;
let canDrive = age >= 16 ? 'yes' : 'no';
// canDrive will be 'no'
// the condition will be age > 16 which is false so canDrive will equal exprIfFalse
// this ternary is the same as this if else statement
let age = 15;
let canDrive;
if (age >= 16) {
canDrive = 'yes';
} else {
canDrive = 'no';
}
// canDrive will be 'no' because 15 is less than 16
Example 4: ternary operator javascript
// Write your function here:
const lifePhase = (age) => {
return age < 0 || age > 140 ? 'This is not a valid age':
age < 3 ? 'baby':
age < 13 ? 'child':
age < 20 ? 'teen':
age < 65 ? 'adult':'senior citizen';
}
console.log(lifePhase(5))
Example 5: ternary operator js
condition ? expression1 : expression2
// Will return expression1 if condition = true and expression2 if condition != true
Example 6: how to use ternary operator in javascript
var age = 26;
var beverage = (age >= 21) ? "Beer" : "Juice";
console.log(beverage); // "Beer"