__destruct PHP的可见性

时间:2008-10-23 15:40:46

标签: php oop visibility

__destruct()功能的“可见性”是公开还是其他?我正在尝试为我的小组编写标准文档,然后出现了这个问题。

2 个答案:

答案 0 :(得分:24)

除了Mark Biek的回答:

__destruct()函数必须声明为public。否则,该函数将不会在脚本关闭时执行:

Warning: Call to protected MyChild1::__destruct() from context '' during shutdown ignored in Unknown on line 0
Warning: Call to private MyChild2::__destruct() from context '' during shutdown ignored in Unknown on line 0

这可能不是有害的,而是不洁净的。

但最重要的是:如果析构函数被声明为private或protected,那么运行时将在垃圾收集器尝试释放对象时抛出致命错误:

<?php
class MyParent
{
    private function __destruct()
    {
        echo 'Parent::__destruct';
    }
}

class MyChild extends MyParent
{
    private function __destruct()
    {
        echo 'Child::__destruct';
        parent::__destruct();
    }
}

$myChild = new MyChild();
$myChild = null;
$myChild = new MyChild();

?>

输出

Fatal error: Call to private MyChild::__destruct() from context '' in D:\www\scratchbook\destruct.php on line 20

(感谢Mark Biek的出色表现!)

答案 1 :(得分:9)

我认为在子类需要显式调用父类的 __ destruct 方法时,它需要公开。

这样的事情会引发错误:

<?php
class MyParent
{
    private function __destruct()
    {
        echo 'Parent::__destruct';
    }
}

class MyChild extends MyParent
{
    function __destruct()
    {
        echo 'Child::__destruct';
        parent::__destruct();
    }
}

$myChild = new MyChild();
?>