我正在使用Symfony 4,并且有一个配置文件需要以数组的形式注入命令App\Command\FooCommand
。我在App\Kernel::configureContainer()
注册了一个自定义DI扩展,用于验证自定义配置文件(为了方便开发,配置很大,并且在开发期间会经常更改)。命令的构造函数是public function __construct(Foo $foo, array $config)
,我希望将配置作为第二个参数。
现在如何将此配置放在那里?文档说明了参数,但它不是参数。我正在考虑更改命令的定义并在Extension::load
方法中添加此参数,如下所示:
class FooExtension extends Extension
{
public function load(array $configs, ContainerBuilder $container)
{
$configuration = $this->getConfiguration($configs, $container);
$config = $this->processConfiguration($configuration, $configs);
//inject the configuration into the command
$fooCmdDef = $container->getDefinition(FooCommand::class);
$fooCmdDef->addArgument($config);
}
}
但最终会出现错误
您已请求不存在的服务" App \ Command \ FooCommand"。
但是,该命令必须已自动注册为服务。
我做错了什么以及如何注入此配置?
答案 0 :(得分:2)
您无法访问DI扩展类中的任何服务,因为容器尚未编译。对于您的情况,通常会创建一个Compiler Pass,您可以在其中检索所需的服务并对其应用任何修改。
例如,您可以在容器扩展中创建一个存储配置的参数:
class FooExtension extends Extension
{
public function load(array $configs, ContainerBuilder $container)
{
$configuration = $this->getConfiguration($configs, $container);
$config = $this->processConfiguration($configuration, $configs);
//create a container parameter
$container->setParameter('your_customized_parameter_name', $config);
}
}
然后在编译器传递中检索您需要的内容,然后应用一些修改:
use Symfony\Component\DependencyInjection\Compiler\CompilerPassInterface;
use Symfony\Component\DependencyInjection\ContainerBuilder;
use Symfony\Component\DependencyInjection\Definition;
use Symfony\Component\DependencyInjection\Reference;
class YourCompilerPass implements CompilerPassInterface
{
/**
* {@inheritdoc}
*/
public function process(ContainerBuilder $container)
{
# retrieve the parameter
$config = $container->getParameter('your_customized_parameter_name');
# retrieve the service
$fooCmdDef = $container->getDefinition(FooCommand::class);
# inject the configuration
$fooCmdDef->addArgument($config);
# or you can also replace an argument
$fooCmdDef->replaceArgument('$argument', $config);
}
}