Repetir elementos filho no Twig como Element :: children ()

9

Ao lidar com uma matriz renderizável no PHP, posso usar Element :: children () para acessar os elementos que não são #propriedades, mas elementos renderizáveis ​​subordinados (itens de formulário dentro de um conjunto de campos, itens dentro de um widget de campo, etc.). Por exemplo, este trecho de file.module:

<?php
if ($element['#multiple']) {
  foreach (Element::children($element) as $name) {
    // ...
  }
}
?>

Como posso fazer o mesmo em um modelo Twig? Se eu fizer {% for child in element %}, ele irá incluir também #type, #cacheetc.

Arla
fonte
Bug on DO drupal.org/node/2776307
Gagarine

Respostas:

21
{% for key, child in element if key|first != '#' %}
  <div>{{ child }}</div>
{% endfor %}
Arla
fonte
2
Evite respostas somente de código.
Mołot 17/09/2015
2

Eu criei um filtro Twig que retorna com os filhos como um ArrayIterator.

mymodule/mymodule.services.yml

services:
  mymodule.twig_extension:
    arguments: ['@renderer']
    class: Drupal\mymodule\TwigExtension\Children
    tags:
      - { name: twig.extension }


mymodule/src/TwigExtension/Children.php

<?php

namespace Drupal\mymodule\TwigExtension;


class Children extends \Twig_Extension
{

  /**
   * Generates a list of all Twig filters that this extension defines.
   */
  public function getFilters()
  {
    return [
      new \Twig_SimpleFilter('children', array($this, 'children')),
    ];
  }


  /**
   * Gets a unique identifier for this Twig extension.
   */
  public function getName()
  {
    return 'mymodule.twig_extension';
  }


  /**
   * Get the children of a field (FieldItemList)
   */
  public static function Children($variable)
  {
    if (!empty($variable['#items'])
      && $variable['#items']->count() > 0
    ) {
      return $variable['#items']->getIterator();
    }

    return null;
  }

}


no modelo Twig:

{% for headline in entity.field_headline|children %}
  {{ headline.get('value').getValue() }}
{% endfor %}
Zoltán Süle
fonte
2

Use o módulo Twig Tweak , que, entre outros recursos maravilhosos, possui um filtro "infantil":

{% for item in content.field_name | children(true) %}
  {# loop.length, loop.revindex, loop.revindex0, and loop.last are now available #}
{% endfor %}
Joel Stein
fonte
1

Aqui está uma modificação de /drupal//a/236408/67965 que circula pelos filhos de renderização em vez do campo #items.

A extensão do galho:

/**
 * Generates a list of all Twig filters that this extension defines.
 */
public function getFilters() {
  return [
    new \Twig_SimpleFilter('children', array($this, 'children')),
  ];
}

/**
 * Get the render children of a field
 */
public static function children($variable) {
  return array_filter(
    $variable, 
    function($k) { return (is_numeric($k) || (strpos($k, '#') !== 0)); },
    ARRAY_FILTER_USE_KEY
  );
}

No twig, você pode passar diretamente pelos filhos renderizados, o que ajuda nos padrões de design atômico. Defina um modelo de entidade, por exemplo:

{% include '@molecules/grid.html.twig' with { 
   head : content.field_title,
   grid_columns: content.field_collection_items|children
} %}

onde grid.html.twig é algo como:

{% if head %}
<div class="slab__wrapper">
  {{ head }}
</div>
{% endif %}
<div class="grid">          
  {% for col in grid_columns %}
  <div class="grid__column">
    {{ col }}
  </div>
  {% endfor %}
</div>

Isso geralmente é mais útil do que ter que renderizar um modelo de campo {{ content.field_collection_items }}porque o layout dos filhos pode ser controlado no contexto do elemento de design pai.

ahebrank
fonte