假设我有一个类型为A的对象,看起来像这样:
class A{
private $item;
...
...
...
...
public function getItem(){
return $this->item;
}
}
$obj = new A();
有什么方法可以不修改类A的源代码而仅对对象getItem
覆盖方法$obj
吗?
如果是,那么如何?
我试图像下面的代码那样做:
class A{
private $item = 5;
public function getItem(){
return $this->item;
}
}
$obj = new A();
echo $obj->getItem();
$obj->getItem = function(){return 10;};
echo $obj->getItem();
两次it returns是原始getItem
方法的结果
我要实现的是 replace 方法,我只想在某些对象中使用,不想修改基类
@EDIT
我玩了一点代码,发现了一些有趣的东西:
<?php
class A{
private $item = 5;
public function getItem(){
return $this->item;
}
}
$obj = new A();
echo $obj->getItem()."\n";
$obj->getItem = function(){return 10;};
echo $obj->getItem()."\n";
$fun = $obj->getItem;
echo $fun()."\n";
this code prints 5 5 10
,因此对象中的某些内容已更改,但是为什么它不是方法?像这样的replace
方法是不可能的吗?
答案 0 :(得分:1)
这是不可能的,幸运的是,这将带来巨大的安全风险。
Reflection API确实允许访问方法,但不能更改其实现。
另请参阅
* Is it possible to modify methods of an object instance using reflection
* http://www.stubbles.org/archives/65-Extending-objects-with-new-methods-at-runtime.html
更新
虽然无法替换函数的实现,但是可以使用反射更改否则为隐藏字段的值:
<?php
class A {
private $item = 5;
public function getItem() {
return $this->item;
}
}
$obj = new A();
$reflect = new ReflectionClass($obj);
$property = $reflect->getProperty('item');
$property->setAccessible(TRUE);
$property->setValue($obj, 10);
echo $obj->getItem(); // 10