Durian Nangka
Durian Nangka

Reputation: 255

PHP if/else shorthand notation - multiple conditions

Please consider the follwing code construction:

condition  ? code_if_true  : 
condition2 ? code_if_true2 : 
             code_if_false;

This doesn't work for PHP whereas it does for JavaScript.

Is there a way to get this working for PHP?

Upvotes: 3

Views: 6850

Answers (1)

phant0m
phant0m

Reputation: 16905

In PHP, the conditional operator is left-associative[PHP.net], compared to virtually all other languages where it is right-associative.

That's why you need to use parentheses to control the order of evaluation1:

 condition  ? code_if_true  : 
(condition2 ? code_if_true2 : 
              code_if_false ); 

1The order in which which operators are resolved, not when operands are evaluated. The latter is basically undefined[PHP.net]

Upvotes: 9

Related Questions