0

我正在为 Symfony 2 开发一个导航系统。到目前为止它运行得非常好。到目前为止,有一个像这样的配置文件:

# The menu name ...
primary:
    # An item in the menu ...
    Home:
        enabled: 1
        # Routes where the menu item should be shown as 'active' ...
        routes:
            - "a_route_name"
        # Where the link goes to ... the problem ...
        target: "a_route_name"

这个布局很好用,菜单也很好用。除了在我的模板中,我只能使用与应用程序中的路由对应的目标值生成链接;即,不是外部 URL。

生成导航的模板如下:

{# This is what puts the data for the menu into the page currently ... #}
{% set primary_nav = menu_data('primary') %}

<nav role="navigation" class="primary-nav">
    <ul class="clearfix">
        {% for key, item in primary_nav if item.enabled is defined and item.enabled %}
            {% if item.routes is defined and app.request.attributes.get('_route') in item.routes %}
                <li class="active">
            {% else %}
                <li>
            {% endif %}
                {% if item.target is defined %}
                    <a href="{{ path(item.target) }}">{{ key }}</a>
                {% else %}
                    {{ key }}
                {% endif %}
            </li>
        {% endfor %}
    </ul>
</nav>

是否有一种简单的方法来允许该path()功能,或者类似于从路由生成 URL 的方法,或者只是简单地使用给定的 URL(如果它被验证为一个 URL)?

我尽了最大的努力url(),环顾了文档,但什么也没看到。

4

1 回答 1

2

您可以创建一个 Twig 扩展来检查路由是否存在:

  • 如果存在则返回对应生成的url

  • 否则,将返回 url(或其他内容)而不做任何更改

在您的 services.yml 中,声明您的 twig 扩展并注入路由器组件。添加以下行并更改命名空间:

  fuz_tools.twig.path_or_url_extension:
    class: 'Fuz\ToolsBundle\Twig\Extension\PathOrUrlExtension'
    arguments: ['@router']
    tags:
      - { name: twig.extension }

然后在你的包中创建一个 Twig\Extension 目录,并创建 PathOrUrlExtension.php :

<?php

namespace Fuz\ToolsBundle\Twig\Extension;

use Symfony\Bundle\FrameworkBundle\Routing\Router;

class PathOrUrlExtension extends \Twig_Extension
{

    private $_router;

    public function __construct(Router $router)
    {
        $this->_router = $router;
    }

    public function getFunctions()
    {
        return array(
                // will call $this->pathOrUrl if pathOrUrl() function is called from twig
                'pathOrUrl' => new \Twig_Function_Method($this, 'pathOrUrl')
        );
    }

    public function pathOrUrl($pathOrUrl)
    {
        // the route collection returns null on undefined routes
        $exists = $this->_router->getRouteCollection()->get($pathOrUrl);
        if (null !== $exists)
        {
            return $this->_router->generate($pathOrUrl);
        }
        return $pathOrUrl;
    }

    public function getName()
    {
        return "pathOrUrl";
    }

}

您现在可以使用新功能:

{{ pathOrUrl('fuz_home_test') }}
<br/>
{{ pathOrUrl('http://www.google.com') }}

将显示:

在此处输入图像描述

于 2013-04-28T06:22:06.890 回答