26

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

我的 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]] ]

这在控制器等中运行良好,但是当我在其他服务中使用它时我没有输出。

有小费吗?

4

3 回答 3

35

您将服务 ID 作为参数传递给服务的构造函数或设置器。

假设您的其他服务是userbundle_service

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

现在 Logger 被传递给UserBundleService构造函数,只要你正确更新它,eG

protected $securityContext;
protected $logger;

public function __construct(SecurityContextInterface $securityContext, Logger $logger)
{
    $this->securityContext = $securityContext;
    $this->logger = $logger;
}
于 2012-08-03T18:50:33.783 回答
11

对于 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']
于 2017-08-30T12:07:31.240 回答
0

更通用的选项是为您想要注入的类创建一个特征。例如:

特征/SomeServiceTrait.php

Trait SomeServiceTrait
{
    protected SomeService $someService;

    /**
     * @param SomeService $someService
     * @required
     */
    public function setSomeService(SomeService $someService): void
    {
        $this->someService = $someService;
    }
}

在您需要一些服务的地方:

class AnyClassThatNeedsSomeService
{
    use SomeServiceTrait;

    public function getSomethingFromSomeService()
    {
        return $this->someService->something();
    }
}

由于@required 注释,该类将自动加载。当您想要将服务注入大量类(如事件处理程序)时,这通常可以更快地实现。

于 2021-11-08T14:08:18.707 回答