PHP闭包作用域对静态变量的影响,求大神帮忙看看

function test()
{
    static $object;

    if (is_null($object)) {
        $object = new stdClass();
    }

    return $object;
}

var_dump(test());
echo '<hr>';
var_dump(test());

以上会输出:
object(stdClass)[5]
object(stdClass)[5]
标识符一致,代表同一对象,这没疑问。

接下来改写下,如下:

function test($global)
{
    return function ($param) use ($global) {
        //echo $param;
        //exit;
        static $object;

        if (is_null($object)) {
            $object = new stdClass();
        }

        return $object;
    };
}

$global = '';

$closure = test($global);
$firstCall = $closure(1);

$closure1 = test($global);
$secondCall = $closure1(2);

var_dump($firstCall);
echo '<hr>';
var_dump($secondCall);

此时输出:
object(stdClass)[2]
object(stdClass)[4]
得出结果,非同一对象。

可能我对闭包的作用域不太清楚,希望懂我意思的前辈点播,谢谢!

阅读 3.4k
2 个回答

clipboard.png

作用域仅在函数内有效, 你返回的闭包是两个不同的函数, 所以static $object指向的变量其实是不一样的. 要达到你的预期, 应当这样改写函数:

function test($global)
{
    static $object;
    return function ($param) use (&$object, $global) {
        if (is_null($object)) {
            $object = new stdClass();
        }

        return $object;
    };
}

$global = '';

$closure = test($global);
$firstCall = $closure(1);

$closure1 = test($global);
$secondCall = $closure1(2);

var_dump($firstCall);
echo '<hr>';
var_dump($secondCall);

参考以下代码

debug_zval_dump($closure);
debug_zval_dump($closure1);

这里我把test函数返回的两个闭包打印了出来

object(Closure)#1 (2) refcount(2){
  ["static"]=>
  array(2) refcount(1){
    ["global"]=>
    string(0) "" refcount(1)
    ["object"]=>
    object(stdClass)#2 (0) refcount(3){
    }
  }
  ["parameter"]=>
  array(1) refcount(1){
    ["$param"]=>
    string(10) "<required>" refcount(1)
  }
}
object(Closure)#3 (2) refcount(2){
  ["static"]=>
  array(2) refcount(1){
    ["global"]=>
    string(0) "" refcount(1)
    ["object"]=>
    object(stdClass)#4 (0) refcount(3){
    }
  }
  ["parameter"]=>
  array(1) refcount(1){
    ["$param"]=>
    string(10) "<required>" refcount(1)
  }
}

从结果看就很清晰了,两次调用返回的闭包函数不是同一个,这就就解释了为什么静态变量$object两次是不同的。

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题