我有一个关于PHP在子类中调用父类函数的技巧问题。 我们有3个场景,我想要利弊。
<?php
class test{
private $var ;
public function __construct(){
$this->var = 'Hello world';
}
public function output(){
echo $var.'<br>';
}
}
//scenario 1
class test1 extends test{
public function __construct(){
parent::__construct();
}
public function say(){
parent::output();
}
}
//scenario 2
class test2 extends test{
public function __construct(){
test::__construct();
}
public function say(){
test::output();
}
}
//scenario 3
class test3 extends test{
private $handle ;
public function __construct(){
$this->handle = new test();
}
public function say(){
$this->handle->output();
}
}
//finally I can call any 3 cases by one of the below codes
$test1 = new test1();
$test1->say();
//or
$test2 = new test2();
$test2->say();
//or
$test3 = new test3();
$test3->say();
?>
是否有最佳做法或3种情况中的任何一种比其他情况更好?
提前谢谢。
答案 0 :(得分:1)
1)是否正确
2)不正确地调用方法就像静态方法一样。
3)它在构造函数中没有任何意义扩展和创建。
答案 1 :(得分:0)
1) 这个是正确的,因为它从它的方法调用父。
class test1 extends test{
public function __construct(){
parent::__construct();
}
public function say(){
parent::output();
}
}
2)
这里的继承是不必要的。
如果选择此实现,则必须将output
和构造方法都更改为静态。
//scenario 2
class test2 extends test{
public function __construct(){
test::__construct();
}
public function say(){
test::output();
}
}
3) 从这里继承也是不必要的。 请注意,这里使用的是“组件覆盖继承”模式,这是一种很好的做法,因为它提供了更大的灵活性,但您必须删除“扩展测试”。
//scenario 3
class test3 extends test{
private $handle ;
public function __construct(){
$this->handle = new test();
}
public function say(){
$this->handle->output();
}
}