按位 AND 运算符无法按预期工作

Bitwise AND operator doesn't work as expected

我使用二进制代码来处理我在数据库中的覆盖,但现在我需要查找规则是否匹配我遵循的规则。

当我使用 php 时,我尝试像 MySQL 那样使用它 match:

$overwirtes = 5;

if ( decbin($overwirtes) & decbin(1) )
{
    // unlock title
}

if ( decbin($overwirtes) & decbin(2) )
{
    // unlock desc
}

if ( decbin($overwirtes) & decbin(4) )
{
    // unlock price
}

if ( decbin($overwirtes) & decbin(8) )
{
    // unlock stock
}

我期望它的标题和价格是解锁的,desc 和库存是锁定的,但是出了点问题,php 不会接受像 MySQL 这样的二进制文件,有人能告诉我我做错了什么吗在这里,我仍然是按照规则处理二进制代码的新手。

您 运行 遇到了 "funny" 问题。而这就是decbin()returns一个字符串。

现在如果字符串的 bitwise AND operator are strings the operation is preformed with the ASCII values 的两个操作数。

手册中的引述也说明了这一点:

If both operands for the &, | and ^ operators are strings, then the operation will be performed on the ASCII values of the characters that make up the strings and the result will be a string. In all other cases, both operands will be converted to integers and the result will be an integer.

那么在您的具体示例中这意味着什么?

我们来看第二个 if 语句:

$overwirtes = 5;
decbin($overwirtes) & decbin(2)

技术很好,应该按以下方式评估:

0000 0101    (5)
0000 0010    (2)
---------- &
0000 0000    = 0 (FALSE)

但是由于两个操作数都是字符串,按位AND取两个字符串的ASCII值,这里是这样的:

0011 0101    (53)  
0011 0010    (50) 
---------- &
0011 0000    = "48" (TRUE)

这就是为什么您的代码中的所有条件都计算为真。


但是现在怎么解决呢?很简单,只需将操作的1个操作数更改为整数即可。因此,您只需删除 1、2、4、8 中的 decbin() 调用即可。

然后您还可以在手册(上面的引述)中看到,当 1 个操作数不是字符串(此处为整数)时,两个操作数都隐式转换为整数。你也会收到一个整数。

因此您的代码应如下所示:

$overwirtes = 5;

if ( decbin($overwirtes) & 1)
{
    // unlock title
}

if ( decbin($overwirtes) & 2)
{
    // unlock desc
}

if ( decbin($overwirtes) & 4)
{
    // unlock price
}

if ( decbin($overwirtes) & 8)
{
    // unlock stock
}