我正在阅读有关LSB功能的php手册,我理解它在静态上下文中是如何工作的,但我在非静态上下文中并不十分理解它。手册中的例子如下:
<?php
class A {
private function foo() {
echo "success!\n";
}
public function test() {
$this->foo();
static::foo();
}
}
class B extends A {
/* foo() will be copied to B, hence its scope will still be A and
* the call be successful */
}
class C extends A {
private function foo() {
/* original method is replaced; the scope of the new one is C */
}
}
$b = new B();
$b->test();
$c = new C();
$c->test(); //fails
?>
输出是这样的:
success!
success!
success!
Fatal error: Call to private method C::foo() from context 'A' in /tmp/test.php on line 9
我不明白B类,A中的私有方法如何被继承到B?任何人都可以带我了解这里发生的事情吗?非常感谢!
答案 0 :(得分:3)
使用后期静态绑定只会更改为调用选择的方法。选择方法后,将应用可见性规则以确定是否可以调用它。
对于B
,A::test
查找并调用A::foo
。 B
中的评论不正确 - foo
未复制到B
。由于它是私有的,因此只能通过A
中的其他方法调用,例如A::test
。
C
失败,因为后期静态绑定机制会找到 new 私有方法C::foo
,但A
的方法无法访问它。
我建议您为静态字段和方法保留后期静态绑定,以避免混淆。