繁体   English   中英

为什么 (0 == 'Hello') 在 PHP 中返回 true?

[英]Why does (0 == 'Hello') return true in PHP?

嘿,如果您有以下代码并想检查$key是否匹配Hello我发现,如果变量为0 ,比较总是返回true 当一个特殊键的数组时,我遇到了这个问题,并想知道为什么它没有按预期工作。 有关示例,请参见此代码。

$key = 1;
if ($key != 'Hello') echo 'Hello'; //echoes hello

$key = 2;
if ($key != 'Hello') echo 'Hello'; //echoes hello

$key = 0;
if ($key != 'Hello') echo '0Hello'; //doesnt echo hello. why?
if ($key !== 'Hello') echo 'Hello'; //echoes hello

谁能解释一下?

运算符==!=不比较类型。 因此 PHP 自动将 'Hello' 转换为 integer ,即0 ( intval('Hello') )。 如果不确定类型,请使用类型比较运算符===!== 或者更好地确定您在程序中的任何时候处理的类型。

其他人已经很好地回答了这个问题。 我只是想举一些其他的例子,你应该知道,都是由PHP的类型杂耍引起的。 以下所有比较都将返回true

  • 'abc' == 0
  • 0 == null
  • '' == null
  • 1 == '1y?z'

因为我发现这种行为很危险,所以我编写了自己的 equal 方法并在我的项目中使用它:

/**
 * Checks if two values are equal. In contrast to the == operator,
 * the values are considered different, if:
 * - one value is null and the other not, or
 * - one value is an empty string and the other not
 * This helps avoid strange behavier with PHP's type juggling,
 * all these expressions would return true:
 * 'abc' == 0; 0 == null; '' == null; 1 == '1y?z';
 * @param mixed $value1
 * @param mixed $value2
 * @return boolean True if values are equal, otherwise false.
 */
function sto_equals($value1, $value2)
{
  // identical in value and type
  if ($value1 === $value2)
    $result = true;
  // one is null, the other not
  else if (is_null($value1) || is_null($value2))
    $result = false;
  // one is an empty string, the other not
  else if (($value1 === '') || ($value2 === ''))
    $result = false;
  // identical in value and different in type
  else
  {
    $result = ($value1 == $value2);
    // test for wrong implicit string conversion, when comparing a
    // string with a numeric type. only accept valid numeric strings.
    if ($result)
    {
      $isNumericType1 = is_int($value1) || is_float($value1);
      $isNumericType2 = is_int($value2) || is_float($value2);
      $isStringType1 = is_string($value1);
      $isStringType2 = is_string($value2);
      if ($isNumericType1 && $isStringType2)
        $result = is_numeric($value2);
      else if ($isNumericType2 && $isStringType1)
        $result = is_numeric($value1);
    }
  }
  return $result;
}

希望这可以帮助某人使他的应用程序更可靠,原始文章可以在这里找到:等于或不等于

在幕后的 php 中,几乎所有非零值都会转换为 true。

所以 1、2、3、4、'Hello'、'world' 等都等于 true,而 0 等于 false

!== 起作用的唯一原因是因为它比较的数据类型也相同

因为 PHP 会自动转换来比较不同类型的值。 您可以在 PHP 文档中查看类型转换标准表

在您的情况下,字符串"Hello"会自动转换为数字,根据 PHP,该数字为0 因此,真正的价值。

如果你想比较不同类型的值,你应该使用类型安全的操作符:

$value1 === $value2;

或者

$value1 !== $value2;

通常,PHP 将每个无法识别为数字的字符串计算为零。

In php, the string "0" is converted to the boolean FALSE http://php.net/manual/en/language.types.boolean.php

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM