In need to check three conditions and assign a value to a variable according the condition.
if(a =="z1"){
b = "one";
} else if(a =="z2"){
b = "two";
} else if(a =="z3"){
b = "three";
}
Is it possible to do it in JavaScript using ? : statement to make it as a single line code
In need to check three conditions and assign a value to a variable according the condition.
if(a =="z1"){
b = "one";
} else if(a =="z2"){
b = "two";
} else if(a =="z3"){
b = "three";
}
Is it possible to do it in JavaScript using ? : statement to make it as a single line code
Share Improve this question edited Nov 17, 2016 at 5:59 Jake Conway 90917 silver badges26 bronze badges asked Nov 17, 2016 at 5:29 suhail csuhail c 1,1992 gold badges16 silver badges42 bronze badges 2- 1 Java !== JavaScript – Rayon Commented Nov 17, 2016 at 5:35
-
b=['one','two','three'][a[1]-1]
– Washington Guedes Commented Nov 17, 2016 at 11:14
4 Answers
Reset to default 7Yes, you can use convert it to Conditional(ternary) operator.
var a = "z3";
var b = a == "z1" ? "one" : a == "z2" ? "two" : a == "z3" ? "three" : "" ;
console.log(b);
FYI : For a better readability, I would suggest using
if...else
statement or use switch
statement . Although you need to use parenthesis for nested ternary operator for avoiding problems in case plex operations.
var b = (a =="z1") ? "one" : ((a =="z2") ?"two":(a =="z3")?"three":null);
Don't forget that it's tough to read to read this quickly. It's quite ok to use for one if else block.
You can do this things:
b=( a=="z1"?"one":(a =="z2"? "two":(a =="z3"?"three":undefined)))
var b = a == "z1" ? "one" : ( a == "z2" ? "two" : ( a == "z3" ? "three" : undefined ) ) ;
a = "z1"
alert(a == "z1" ? "one" : ( a == "z2" ? "two" : ( a == "z3" ? "three" : undefined ) ) );
a = "z2"
alert(a == "z1" ? "one" : ( a == "z2" ? "two" : ( a == "z3" ? "three" : undefined ) ) );
a = "z3"
alert(a == "z1" ? "one" : ( a == "z2" ? "two" : ( a == "z3" ? "three" : undefined ) ) );
a = "z4"
alert(a == "z1" ? "one" : ( a == "z2" ? "two" : ( a == "z3" ? "three" : undefined ) ) );