使用twig变量动态调用导入的宏子函数

时间:2012-12-04 21:37:41

标签: twig

我正在尝试使用变量来调用特定的宏名称。

我有一个正在导入的宏文件

{% import 'form-elements.html.twig' as forms %}

现在在该文件中有所有表单元素宏:text,textarea,select,radio等。

我有一个传入的数组变量,其中包含一个元素:

$elements = array(
    array(
        'type'=>'text,
        'value'=>'some value',
        'atts'=>null,
    ),
    array(
        'type'=>'text,
        'value'=>'some other value',
        'atts'=>null,
    ),
);

{{ elements }}

我想要做的是从宏中生成这些元素。当按名称调用时,它们工作正常:

{{ forms.text(element.0.name,element.0.value,element.0.atts) }}

但我想做的是这样的事情:

{% for element in elements %}
{{ forms[element.type](element.name,element.value,element.atts) }}
{% endfor %}

我尝试了以下所有导致相同的错误:

{{ forms["'"..element.type.."'"](element.name,element.value,element.atts) }}
{{ forms.(element.type)(element.name,element.value,element.atts) }}
{{ forms.{element.type}(element.name,element.value,element.atts) }}

不幸的是,这会引发以下错误:

 Fatal error: Uncaught exception 'LogicException' with message 'Attribute "value" does not exist for Node "Twig_Node_Expression_GetAttr".' in Twig\Environment.php on line 541

有关解决方案或更好的架构的任何帮助或建议都非常有用。

2 个答案:

答案 0 :(得分:15)

我只是觉得其他人可能想要这个答案,正如fabpot提供的那样:

  

这确实是不受支持的:调用带有动态名称的宏(我添加了一个正确的例外以便更清楚地了解该问题)。

     

如果您真的想这样做,可以使用以下代码执行此操作:

     

{{attribute(forms,element.type,[element.name,element.value,element.atts])}}

     

-fabpot

https://github.com/twigphp/Twig/issues/922#issuecomment-11133299

答案 1 :(得分:1)

Twig中可能不支持动态宏。

但是有一个简单的解决方法,因为您可以动态地包含其他模板。

示例:
假设您的网站上有一堆内容模块或内容块(或者您想称呼它们)。还有Twig宏负责呈现每个模块。

{# modules.twig #}

{% macro module1(config) %}
  <div>module one</div>
{% endmacro %}

{% macro module2(config) %}
  <div>module two</div>
{% endmacro %}

{% macro module3(config) %}
  <div>module three</div>
{% endmacro %}

现在,要动态调用这些宏,您需要为每个宏添加一个额外的模板,如下所示:

{# module1.twig #}

{% import "modules.twig" as modules %}
{{ modules.module1(config) }}
{# module2.twig #}

{% import "modules.twig" as modules %}
{{ modules.module2(config) }}
{# module3.twig #}

{% import "modules.twig" as modules %}
{{ modules.module3(config) }}

最后,在您的实际页面模板中,您仅包含模板而不是调用宏。

{# template.twig #}

{# this is the macro's name to be called #}
{% set macro = 'module2' %}
{# this is just a config object to be passed to the macro #}
{% set config = {} %}

{% include macro ~ '.twig' with { config: config } only %}

Etvoilá,(动态产生的)输出为<div>module two</div>