是否有一种方法使用'OR'操作符或等价的PHP开关?
例如,这样的东西:
switch ($value) {
case 1 || 2:
echo 'the value is either 1 or 2';
break;
}
是否有一种方法使用'OR'操作符或等价的PHP开关?
例如,这样的东西:
switch ($value) {
case 1 || 2:
echo 'the value is either 1 or 2';
break;
}
当前回答
Try
switch($value) {
case 1:
case 2:
echo "the value is either 1 or 2";
break;
}
其他回答
注意,你也可以使用闭包将开关的结果(使用早期返回)赋值给一个变量:
$otherVar = (static function($value) {
switch ($value) {
case 0:
return 4;
case 1:
return 6;
case 2:
case 3:
return 5;
default:
return null;
}
})($i);
当然,这种方法已经过时了,因为这正是新PHP 8 match函数的目的,如_dom93 answer中所示。
如果你必须使用||开关,那么你可以尝试:
$v = 1;
switch (true) {
case ($v == 1 || $v == 2):
echo 'the value is either 1 or 2';
break;
}
如果不是,你更喜欢的解决方案是
switch($v) {
case 1:
case 2:
echo "the value is either 1 or 2";
break;
}
问题是这两种方法在处理大型案件时效率都不高。想象一下,从1到100,这是完美的
$r1 = range(1, 100);
$r2 = range(100, 200);
$v = 76;
switch (true) {
case in_array($v, $r1) :
echo 'the value is in range 1 to 100';
break;
case in_array($v, $r2) :
echo 'the value is in range 100 to 200';
break;
}
Try
switch($value) {
case 1:
case 2:
echo "the value is either 1 or 2";
break;
}
switch ($value)
{
case 1:
case 2:
echo "the value is either 1 or 2.";
break;
}
这就是所谓的“穿过”案例块。这个术语存在于大多数实现switch语句的语言中。
我建议你按(手动)开关。
switch ($your_variable)
{
case 1:
case 2:
echo "the value is either 1 or 2.";
break;
}
解释
就像你想要执行单个语句的值一样,你可以把它放在没有break的地方,直到或除非找到break。它将继续执行代码,如果发现了break,它将从switch case中出来。