1

我在类中有一个受保护的变量Father,这个变量的内容会在Father类中改变,但我需要在子类中使用这个变量,即:

class Father {
   protected $body;
   function __construct(){
       $this->body = 'test';
    }
}

class Child extends Father{
    function __construct(){
       echo $this->body;
    }
}

$c = new Father();
$d = new Child();

为什么变量为body空?如果我将它声明为静态它可以工作,如果我想在子类中访问和修改这些变量,我应该将所有变量声明为静态吗?

4

2 回答 2

3

您必须调用父构造函数。

class Father {
   protected $body;
   function __construct(){
       $this->body = 'test';
   }
}

class Child extends Father {
   function __construct(){
       parent::__construct();
       echo $this->body;
   }
}

$c = new Father();
$d = new Child();

参考: http: //php.net/manual/en/language.oop5.decon.php

于 2013-07-03T00:01:20.040 回答
0

这是因为您正在覆盖构造函数。您还必须调用父级的构造函数。更多信息

class Child extends Father {
    function __construct() {
        parent::__construct();

        echo $this->body;
    }
}
于 2013-07-03T00:01:25.697 回答