检查值是否设置和空

2022-08-30 07:36:35

我需要检查值是否被定义为任何东西,包括null。 将 null 值视为未定义并返回 。以以下为例:issetfalse

$foo = null;

if(isset($foo)) // returns false
if(isset($bar)) // returns false
if(isset($foo) || is_null($foo)) // returns true
if(isset($bar) || is_null($bar)) // returns true, raises a notice

请注意,这是未定义的。$bar

我需要找到满足以下条件的条件:

if(something($bar)) // returns false;
if(something($foo)) // returns true;

有什么想法吗?


答案 1

IIRC,您可以使用get_defined_vars()来实现此目的:

$foo = NULL;
$vars = get_defined_vars();
if (array_key_exists('bar', $vars)) {}; // Should evaluate to FALSE
if (array_key_exists('foo', $vars)) {}; // Should evaluate to TRUE

答案 2

如果您正在处理可能值为 NULL 的对象属性,则可以使用:property_exists() 而不是isset()

<?php

class myClass {
    public $mine;
    private $xpto;
    static protected $test;

    function test() {
        var_dump(property_exists($this, 'xpto')); //true
    }
}

var_dump(property_exists('myClass', 'mine'));   //true
var_dump(property_exists(new myClass, 'mine')); //true
var_dump(property_exists('myClass', 'xpto'));   //true, as of PHP 5.3.0
var_dump(property_exists('myClass', 'bar'));    //false
var_dump(property_exists('myClass', 'test'));   //true, as of PHP 5.3.0
myClass::test();

?>

与 isset() 相反,property_exists() 返回 TRUE,即使该属性具有值 NULL。


推荐