29

如何从服务生成链接?我在我的服务中注入了“路由器”,但是生成的链接/view/42不是/app_dev.php/view/42. 我该如何解决这个问题?

我的代码是这样的:

服务.yml

services:
    myservice:
        class: My\MyBundle\MyService
        arguments: [ @router ]

我的服务.php

<?php

namespace My\MyBundle;

class MyService {

    public function __construct($router) {

        // of course, the die is an example
        die($router->generate('BackoffUserBundle.Profile.edit'));
    }
}
4

3 回答 3

32

所以:你需要两件事。

首先,您必须对@router 有依赖(以获取 generate())。

其次,您必须将服务范围设置为“请求”(我错过了)。 http://symfony.com/doc/current/cookbook/service_container/scopes.html

你的services.yml变成:

services:
    myservice:
        class: My\MyBundle\MyService
        arguments: [ @router ]
        scope: request

现在您可以使用@router 服务的生成器功能了!


关于 Symfony 3.x的重要说明:正如文档所说,

本文中解释的“容器作用域”概念在 Symfony 2.8 中已被弃用,并将在 Symfony 3.0 中删除。

使用request_stack服务(在 Symfony 2.4 中引入)而不是request服务/范围,并使用shared设置(在 Symfony 2.8 中引入)而不是prototype范围(阅读有关共享服务的更多信息)。

于 2012-04-07T22:25:27.370 回答
14

对于Symfony 4.x ,按照此链接在服务中生成 URL 中的说明进行操作要容易得多

您只需要注入UrlGeneratorInterface您的服务,然后调用generate('route_name')以检索链接。

// src/Service/SomeService.php
use Symfony\Component\Routing\Generator\UrlGeneratorInterface;

class SomeService
{
    private $router;

    public function __construct(UrlGeneratorInterface $router)
    {
        $this->router = $router;
    }
    public function someMethod()
    {
        // ...

        // generate a URL with no route arguments
        $signUpPage = $this->router->generate('sign_up');
    }

    // ...
}

于 2019-08-25T11:24:31.007 回答
4

我有一个类似的问题,但使用的是 Symfony 3。虽然在上一个答案中没有提到,但要找出一个人将如何request_stack使用scope: request.

在这个问题的情况下,它看起来像这样:

services.yml 配置

services:
    myservice:
        class: My\MyBundle\MyService
        arguments:
            - '@request_stack'
            - '@router'

和 MyService 类

<?php

    namespace My\MyBundle;

    use Symfony\Component\Routing\RequestContext;

    class MyService {

        private $requestStack;
        private $router;

        public function __construct($requestStack, $router) {
            $this->requestStack = $requestStack;
            $this->router = $router;
        }

        public doThing() {
            $context = new RequestContext();
            $context->fromRequest($this->requestStack->getCurrentRequest());
            $this->router->setContext($context);
            // of course, the die is an example
            die($this->router->generate('BackoffUserBundle.Profile.edit'));
        }
    }

注意:建议不要在构造函数中访问 RequestStack,因为它可能会在内核处理请求之前尝试访问它。因此,当尝试从 RequestStack 获取请求对象时,它可能会返回 null。

于 2017-04-26T13:08:39.847 回答