我正在阅读Service Manager上的Zend 3文档,我遇到了这个问题。
在文档中它说如果我们的控制器中有一些DI,我们应该更新module.config.php
文件并添加控制器密钥并调用控制器而不是InvokableFactory::class
但是使用自定义工厂类并添加另一个密钥service_manager包含我的第一个控制器使用的类数组。
好的,我这样做:
module.config.php
'service_manager' => [
'factories' => [
Controller\Controller2::class => Factory\Controller2Factory::class,
Controller\Controller3::class => Factory\Controller3Factory::class,
],
],
'controllers' => [
'factories' => [
Controller\Controller1::class => Factory\Controller1Factory::class
],
]
Controller1Factory.php
class Controller1Factory implements FactoryInterface
{
public function __invoke(ContainerInterface $container, $requestedName, array $options = null)
{
return new Controller1(
$container->get(Controller2::class),
$container->get(Controller3::class),
);
}
}
但现在我有错误,Controller2和Controller3在他们的构造中也有DI,所以我创建新的自定义工厂等等......直到我到达我的模型。
并且模型也有依赖注入其控制器,它是zend native \Zend\Db\TableGateway\TableGatewayInterface
,我现在必须再次编辑我的conf文件并添加TableGatewayInterface
。
这是错误的。我永远不应该被迫以这种方式注入本地zend类和服务。
那么我做错了什么?
答案 0 :(得分:1)
如果您的Controller没有依赖关系,那么这就是您在module.config.php
中声明它的最佳方式。
但如果它有依赖性,那么最好在Module.php
中进行。您首先声明您的服务,然后是控制器(不要忘记将其从module.config.php
中删除),并在其中注入所依赖的服务:
public function getServiceConfig()
{
return [
'factories' => [
Model\MyObjectTable::class => function($container) {
$tableGateway = $container->get(Model\MyObjectTableGateway::class);
return new Model\MyObjectTable($tableGateway);
},
Model\MyObjectTableGateway::class => function($container) {
$dbAdapter = $container->get(AdapterInterface::class);
$resultSetPrototype = new ResultSet();
$resultSetPrototype->setArrayObjectPrototype(new Model\User());
return new TableGateway('myObject', $dbAdapter, null, $resultSetPrototype);
},
]
];
}
public function getControllerConfig()
{
return [
'factories' => [
Controller\MyObjectController::class => function($container) {
return new Controller\MyObjectController(
$container->get(Model\MyObjectTable::class)
);
},
]
];
}
在你的控制器中:
private $table;
public function __construct(MyObjectTable $table)
{
$this->table = $table ;
}