0

一个类常量似乎总是被解释为一个字符串,尽管它被定义为一个整数。为什么 PHP 会做这种类型的杂耍,我该如何防止呢?

请参阅以下代码:

class BitSet {
  const NONE = 0;
  const FOO = 1;
  const BAR = 2;
  const ALL = 3;

  public function __construct( $flags = self::NONE ) {
    if( $flags & self::ALL !== $flags )
      throw new \OutOfRangeException( '$flags = '.$flags.' is out of range' );
    $this->value = $flags;
  }

  protected $value = self::NONE;
}

$bs = new BitSet( BitSet::FOO );

最后一行(构造函数的调用)抛出OutOfRangeException

PHP Fatal error:  Uncaught exception 'OutOfRangeException' with message '$flags = 1 is out of range' in test-case.php:12
Stack trace:
#0 /srv/www/matthiasn/class-constant-debug.php(19): BitSet->__construct('1')
#1 {main}
thrown in /srv/www/matthiasn/class-constant-debug.php on line 12

从回溯条目 #0 可以清楚地看到,常量BitSet::FOO作为字符而不是整数传递。因此,位掩码操作$flags & self::ALL !== $flags不是在整数上执行,而是在按位 ASCII 表示上执行,因此失败。

我勒个去?!(int)有没有比在任何地方进行显式-cast更好的方法来做到这一点?

4

2 回答 2

3

我不确定您的期望是什么,但请注意,!==它的优先级比您在and&之间进行按位与操作的优先级更高。1true

你的意思可能是:

if( ($flags & self::ALL) !== $flags )
于 2015-05-16T13:54:20.697 回答
1

对不起,这是我的错,我走错了方向。解决方案是

if( ( $flags & self::ALL ) !== $flags )

添加括号。运算符的!==优先级似乎比&.

没有括号,首先对代码段self::ALL !== $flags进行评估FALSE,然后$flags & FALSE对其进行评估。

PHP是... :-(

于 2015-05-16T13:54:21.503 回答