Symfony 2.0.3全局模板变量

时间:2011-10-04 12:04:36

标签: symfony twig

我有一个我希望与用户会话关联的实体。 我创建了一项服务,以便我可以从何处获取此信息。

在服务中我将实体id保存在会话变量中 在getEntity()方法中,我得到会话变量,并使用doctrine找到实体并返回它。

通过这种方式,我应该能够调用{{ myservice.myentity.myproperty }}

问题是myservice遍布整个地方,我不想在Action之后的所有内容中都使用myservice并将其附加到视图数组。

是否可以通过会话{{ app.session }}等所有视图访问服务?

2 个答案:

答案 0 :(得分:49)

解决方案

通过创建自定义服务,我可以使用

从何处开始
$this->get('myservice');

这完全由http://symfony.com/doc/current/book/service_container.html

完成

但我会给你一些演示代码。

服务

第一个片段是实际服务

<?php
namespace MyBundle\AppBundle\Extensions;

use Symfony\Component\HttpFoundation\Session;
use Doctrine\ORM\EntityManager;
use MyBundle\AppBundle\Entity\Patient;

class AppState
{
    protected $session;
    protected $em;

    function __construct(Session $session, EntityManager $em)
    {
        $this->session = $session;
        $this->em = $em;
    }

    public function getPatient()
    {
        $id = $this->session->get('patient');
        return isset($id) ? $em->getRepository('MyBundleStoreBundle:Patient')->find($id) : null;
    }
}

使用类似的内容在config.yml注册

services:
    appstate:
        class: MyBundle\AppBundle\Extensions\AppState
        arguments: [@session, @doctrine.orm.entity_manager]

现在我们可以像之前说的那样,通过

在我们的控制器中获取服务
$this->get('myservice');

但是因为这是一项全球服务,所以我不想在每个控制器和每个动作中都这样做

public function myAction()
{
    $appstate = $this->get('appstate');
    return array(
        'appstate' => $appstate
    );
}

所以现在我们去创建一个Twig_Extension

Twig Extension

<?php
namespace MyBundle\AppBundle\Extensions;

use MyBundle\AppBundle\Extensions\AppState;

class AppStateExtension extends \Twig_Extension
{
    protected $appState;

    function __construct(AppState $appState) {
        $this->appState = $appState;
    }

    public function getGlobals() {
        return array(
            'appstate' => $this->appState
        );
    }

    public function getName()
    {
        return 'appstate';
    }

}

通过使用依赖注入,我们现在拥有在名为appstate的枝条扩展中创建的AppState服务

现在我们用symfony注册它(再次在config文件中的services部分内)

twig.extension.appstate:
    class: MyBundle\AppBundle\Extensions\AppStateExtension
    arguments: [@appstate]
    tags:
        - { name: twig.extension }

重要的部分是“标签”,因为这是symfony用来查找所有树枝扩展名

我们现在设置为使用变量名称

的twig模板中的appstate
{{ appstate.patient }}

{{ appstate.getPatient() }}

真棒!

答案 1 :(得分:2)

也许你可以在行动中尝试这个? :$ this-&gt; container-&gt; get('templating') - &gt; addGlobal($ name,$ value)