我正在编写一些PHP代码,其中一个对象(“容器”)保存指向另一个对象的指针(“内容”)。问题是内容需要访问容器的方法或属性。
以下是我想要做的简化示例:
class Container {
function __construct($type, $contents) {
$this->type = $type;
$this->contents = $contents;
}
function display() {
return $this->contents->display();
}
}
class Contents {
function __construct($stuff) {
$this->stuff = $stuff;
}
function display() {
return 'I am ' . $this->stuff . ' in '; // how to access Container here?
}
}
$item = new Container('a can', new Contents('Prince Albert'));
echo $item->display() . "\n";
// Displays: I am Prince Albert in
// Wanted: I am Prince Albert in a can
正确的方法是什么?
我尝试了几种有效的方法,但他们感觉不对。例如:
重新定义Contents::display()
以获取一个看似不优雅的参数:
function display($container) {
return 'I am ' . $this->stuff . ' in ' . $container->type;
}
在Contents::display()
中,我调用debug_backtrace(true)
来查找调用它的内容,然后从回溯信息中访问该对象。感觉很危险/危险。
这种问题有一个共同的解决方案吗?
答案 0 :(得分:4)
总之有两种常见的解决方案。这是你已经提到的第一个
class A {
public function doSomething ($outer) { /* code */ }
}
其中$outer
是您的容器。或者您严格将内容对象绑定到容器
class A {
private $outer;
public function __construct ($outer) {
$this->outer = $outer;
}
}
答案 1 :(得分:1)
使用依赖注入,您将首先构造Container(不传入Contents):
class Container {
function __construct($type) {
然后,您将把Container传递给Contents构造函数:
class Contents {
function __construct($stuff, $container) {
由于引用是相互的,因此您必须在容器上调用setter:
class Container {
function setContents($contents)
答案 2 :(得分:1)
试试这个:
class Container
{
protected $type;
protected $contents;
function __construct($type, Contents $contents)
{
$this->type = $type;
$this->contents = $contents;
$contents->setContainer($this);
}
function display()
{
return $this->contents->display();
}
public function getType()
{
return $this->type;
}
}
class Contents
{
/** @var Container */
protected $container;
function __construct($stuff)
{
$this->stuff = $stuff;
}
public function setContainer(Container $container)
{
$this->container = $container;
}
function display()
{
return 'I am '.$this->stuff.' in '.$this->container->getType(); // how to access Container here?
}
}
$item = new Container('a can', new Contents('Prince Albert'));
echo $item->display()."\n";
// Displays: I am Prince Albert in
// Wanted: I am Prince Albert in a can
作为建议:为每个方法和变量编写public / protected / private,不要使用公共属性。如果您不知道原因,请阅读本书:http://www.amazon.com/Objects-Patterns-Practice-Matt-Zandstra/dp/1590599098