PSR-2 标准特别省略了对运营商的任何意见:
本指南有意省略了许多风格和实践元素。这些包括但不限于: ... 运算符和分配
由于括号用于对表达式进行分组,因此您的示例没有多大意义:
$error = ($error_status) ? 'Error' : 'No Error';
在这里,将单个变量括在括号中是没有意义的。更复杂的条件可能会从括号中受益,但在大多数情况下,它们只是为了便于阅读。
更常见的模式是始终围绕整个三元表达式:
$error = ($error_status ? 'Error' : 'No Error');
这样做的主要动机是 PHP 中的三元运算符具有相当尴尬的关联性和优先级,因此在复杂的表达式中使用它通常会产生意想不到/无用的结果。
一个常见的情况是字符串连接,例如:
$error = 'Status: ' . $error_status ? 'Error' : 'No Error';
这里连接(.
运算符)实际上是在三元运算符之前计算的,因此条件始终是非空字符串(开始'Status: '
),并且您将始终得到字符串Error'
作为结果。
括号是必要的,以防止这种情况:
$error = 'Status: ' . ($error_status ? 'Error' : 'No Error');
当“堆叠”三元表达式以形成等效的 if-elseif 链时,也存在类似的情况,因为 PHP 历史早期的一个错误意味着多个三元运算符按从左到右的顺序求值,而不是在条件满足时缩短整个 false 分支是真的。
PHP手册中的一个例子更清楚地解释了这一点:
// on first glance, the following appears to output 'true'
echo (true?'true':false?'t':'f');
// however, the actual output of the above is 't'
// this is because ternary expressions are evaluated from left to right
// the following is a more obvious version of the same code as above
echo ((true ? 'true' : false) ? 't' : 'f');
// here, you can see that the first expression is evaluated to 'true', which
// in turn evaluates to (bool)true, thus returning the true branch of the
// second ternary expression.