首页 > 代码库 > PHP浅谈__construct()的继承与调用

PHP浅谈__construct()的继承与调用

 

前几天看到一个面试题:

<?phpclass ParentClass {    function __construct() {        $this->hello();    }    public function hello() {        echo __CLASS__.‘/‘.__FUNCTION__;    }}class ChildClass extends ParentClass {    public function hello(){        echo __CLASS__.‘/‘.__FUNCTION__;    }}new ChildClass();?>

 

问最后输出的结果:

1、__construct()作为类的构造函数,在类被实例化时调用

2、若父类有显示调用__construct(),子类中没有调用,则子类使用父类的__construct()初始化,且调用受private等 制约,就是说若父类的__construct()被private修饰,且子类没有显式调用自己的__construct(),那将会报错,子类无权调用 父类的private __construct()

3、若子类有显示调用__construct(),则调用父类的__construct需要显示声明,即parent::__construct()

4、$this代表当前对象,self::代表当前类本身

5、php默认方法为公共,成员变量为private

由此我们可以得出:

new ChildClass();

 

时ChildClass会调用ParentClass的构造函数,此构造函数为当前对象的hello()方法,输出此对象所属类的类名和此方法名,此对象的所属类自然是ChildClass,所以结果为:

ChildClass/hello

 

流程:

new ChildClass()时首先检查自己是否有父类,是否有显式调用自己的构造函数,若自身有构造函数,则使用,若无但有父类,则调用父类的构造函数(构造函数也受public private等修饰,注意)。

这里不必理解为去父类中构造自身,可以理解成将父类的构造函数copy到自己的内存单元中,进行使用

自己的构造函数默认继承父类的

$this->hello();

 

则调用自己的hello();方法,输出即可。

若自身有构造函数,则父类的被重写,调用父类的构造函数需:

<?phpclass ParentClass {    function __construct() {        $this->hello();    }    public function hello() {        echo __CLASS__.‘/‘.__FUNCTION__;    }}class ChildClass extends ParentClass {        //若不写则使用父类的        function __construct() {                parent::__construct();    }    public function hello() {        echo __CLASS__.‘/‘.__FUNCTION__;    }}new ChildClass();?>

 

若希望本类不再被继承,则可用final修饰

final class ClassName {//无法被entends继承}

 

PHP浅谈__construct()的继承与调用