I have 2 boolean values, boolA and boolB. I want a single switch-case statement that takes each of the four possible binations, i.e. something like
switch(boolA boolB){
case 0 0:
[do something];
case 0 1:
[do something else];
case 1 0:
[do another thing];
case 1 1:
[do the other thing];
Basically I want the switch-case to interpret the two booleans as a single 2 bit number.
Update: I decided to just use normal if-else stuff.
I have 2 boolean values, boolA and boolB. I want a single switch-case statement that takes each of the four possible binations, i.e. something like
switch(boolA boolB){
case 0 0:
[do something];
case 0 1:
[do something else];
case 1 0:
[do another thing];
case 1 1:
[do the other thing];
Basically I want the switch-case to interpret the two booleans as a single 2 bit number.
Update: I decided to just use normal if-else stuff.
Share Improve this question edited Jan 20, 2015 at 19:39 tomatopipps asked Jan 20, 2015 at 17:26 tomatopippstomatopipps 2972 silver badges13 bronze badges5 Answers
Reset to default 7The Mozilla MDN docs refer to this method to achieve what you want by making the switch evaluate true
and then putting logic in switch statements
switch (true) { // invariant TRUE instead of variable foo
case a && b:
//logic
break;
case a && !b:
//logic
break;
case !a && b:
//logic
break;
case !a && !b:
//logic
break;
}
I would just use regular if-else if logic to make things clearer.
I decided to use
switch(parseInt(boolB.toString()+boolA,2)){
case 0://neither
[do something];
case 1://boolA
[do something else];
case 2://boolB
[do another thing];
case 3://both
[do the other thing];
}
which parses the booleans as bits in a binary number.
An alternative implementation would be to not use a switch statement at all. You could create a javascript object mapping boolean values as keys to function objects.
var truthTable = {
false: {
false: falsefalseFunc,
true: falsetruefunc
},
true: {
false: truefalseFunc,
true: truetrueFunc
}
}
Where falsefalseFunc, falsetrueFunc, etc... are function objects. Then you can call it like:
truthTable[boolA][boolB]();
I don't think I'd do that.
But if you really want to, you can use boolA + " " + boolB
:
switch(boolA + " " + boolB){
case "false false":
[do something];
break;
case "false true":
[do something else];
break;
case "true false":
[do another thing];
break;
default: // "true true"
[do the other thing];
break;
}
Or if you prefer numbers, (10 * boolA) + boolB
:
switch((10 * boolA) + boolB){
case 0:
[do something];
break;
case 1:
[do something else];
break;
case 10:
[do another thing];
break;
default: // 11
[do the other thing];
break;
}
Both of those implicit conversions are guaranteed in the spec.
ES6 Alternative bined with the unary + operator:
switch (`${+boolA}${+boolB}`) {
case "00": //logic
break;
case "10": //logic
break;
case "01": //logic
break;
case "11": //logic
break;
}
发布者:admin,转转请注明出处:http://www.yc00.com/questions/1743694894a4491590.html
评论列表(0条)