当前位置: 首页 > 工具软件 > PHP_Debug > 使用案例 >

php 魔术方法 __sleep() __wakeup() __toString() __debuginfo()

郁吉星
2023-12-01

__sleep():

使用serialize()序列化的时候,会检测类中是否有__sleep()魔术方法,有的话会先调用__sleep(),返回一个包含对象中所有需要序列化的变量名称的数组

<?php
class test{
    public $name='demon';

    private $age='19';

    public function __sleep(){
        return ['name'];
    }  
}

$test = new test();
echo serialize($test);
//输出结果:O:4:"test":1:{s:4:"name";s:5:"demon";}

__wakeup()

使用serialize()序列化的时候,会检测类中是否有__wakeup()魔术方法,有的话会先调用__wakeup(),执行一些初始化操作

<?php
class test{
    public $name='demon';

    private $age='19';

    public function say(){
        echo "反序列化";
    }

    public function __wakeup(){
        $this->say();
    }   
}

$test = new test();
unserialize(serialize($test));
//输出结果:反序列化

__toString()

__toString()用于一个类被当做字符串使用时的回应,只能返回一个字符串

<?php
class test{
    public $name='demon';

    private $age='19';

    public function __toString(){
        return 'test';
    } 
}

$test = new test();
echo $test;
//输出结果:test

__debuginfo()

__debuginfo() 是php5.6增加的特性,var_dump()一个类时的回应,返回一个包含对象属性的数组

<?php
class test{
    public $name='demon';

    private $age='19';

    public function __debuginfo(){
        return ['name'];
    }

}

$test = new test();
var_dump($test);
//输出结果:object(test)#1 (1) { [0]=> string(4) "name" }
 类似资料: