如何在Symfony的另一个服务中注入服务?

2022-08-30 16:36:05

我正在尝试在另一个服务中使用日志记录服务,以便对该服务进行故障排除。

我的config.yml看起来像这样:

services:
    userbundle_service:
        class:        Main\UserBundle\Controller\UserBundleService
        arguments: [@security.context]

    log_handler:
        class: %monolog.handler.stream.class%
        arguments: [ %kernel.logs_dir%/%kernel.environment%.jini.log ]


    logger:
        class: %monolog.logger.class%
        arguments: [ jini ]
        calls: [ [pushHandler, [@log_handler]] ]

这在控制器等中工作正常,但是当我在其他服务中使用它时,我不会得到任何东西。

有什么提示吗?


答案 1

将服务 ID 作为参数传递给服务的构造函数或 setter。

假设您的其他服务是:userbundle_service

userbundle_service:
    class:        Main\UserBundle\Controller\UserBundleService
    arguments: [@security.context, @logger]

现在,记录器被传递给构造函数,前提是您正确更新它,例如UserBundleService

protected $securityContext;
protected $logger;

public function __construct(SecurityContextInterface $securityContext, Logger $logger)
{
    $this->securityContext = $securityContext;
    $this->logger = $logger;
}

答案 2

对于Symfony 3.3,4.x,5.x及更高版本,最简单的解决方案是使用依赖注入

您可以直接将服务注入到另一个服务中,(例如MainService)

// AppBundle/Services/MainService.php
// 'serviceName' is the service we want to inject
public function __construct(\AppBundle\Services\serviceName $injectedService)  {
    $this->injectedService = $injectedService;
}

然后简单地说,在MainService的任何方法中使用注入的服务作为

// AppBundle/Services/MainService.php
public function mainServiceMethod() {
    $this->injectedService->doSomething();
}

还有中提琴!您可以访问注入服务的任何功能!

对于不存在自动布线的旧版本的Symfony -

// services.yml
services:
    \AppBundle\Services\MainService:
        arguments: ['@injectedService']

推荐