我正在尝试创建一个动态树枝模板来打印具有不同字段数的实体列表。重点是我无法打印$lligues
的所有列。
我的控制器看起来像这样:
/**
* @Route("/llistarlliga",name="llistar_lliga")
*/
public function llistarLliga(){
$repository = $this->getDoctrine()->getRepository('AppBundle:Lliga');
$camps = array('Nom','Nº equips','Accions');
$lligues = $repository->findAll();
return $this->render('templates/list.html.twig', array('camps' => $camps, 'lligues' => $lligues,
'title' => 'Llistat de lligues'));
}
Twig模板:
{# app/Resources/views/forms/lista.html.twig #}
{% extends "templates/home.html.twig" %}
{% block title %}
{{title}}
{% endblock %}
{% block body %}
<table>
<thead>
{% for i in 0..camps|length-1 %}
<th>{{camps[i]}}</th>
{% endfor %}
</thead>
<tbody>
{% for lliga in lligues %}
<tr>
<td>{{lliga.nom}}</td>
<td>{{lliga.numequips}}</td>
<td>
<a href="{{ path('borrar_lliga', {'nom' : lliga.nom}) }}"><img src="{{ asset('images/bin.png') }}" /></a>
<a href="{{ path('modificar_lliga', {'nom' : lliga.nom}) }}"><img src="{{ asset('images/edit.png') }}" /></a>
</td>
</tr>
{% endfor %}
</tbody>
</table>
{% endblock %}
所以,我想改变第二个循环(对于llig中的lliga)使它变为动态,所以如果它有更多的字段或更少,它也会打印它们。
感谢大家!
答案 0 :(得分:3)
您可以创建树枝过滤器cast_to_array
。
首先,您需要创建自定义过滤器。像这样的东西:
namespace AppBundle\Twig;
class ArrayExtension extends \Twig_Extension
{
/**
* @inheritDoc
*/
public function getFilters()
{
return array(
new \Twig_SimpleFilter('cast_to_array', array($this, 'castToArray'))
);
}
public function castToArray($stdClassObject) {
$response = array();
foreach ($stdClassObject as $key => $value) {
$response[] = array($key, $value);
}
return $response;
}
/**
* Returns the name of the extension.
*
* @return string The extension name
*/
public function getName()
{
return 'array_extension';
}
}
并将其添加到您的app\config\services.yml
:
services:
app.twig_extension:
class: AppBundle\Twig\ArrayExtension
public: false
tags:
- { name: twig.extension }
最后,您需要在Twig模板中使用自定义过滤器:
{# app/Resources/views/forms/lista.html.twig #}
{% extends "templates/home.html.twig" %}
{% block title %}
{{title}}
{% endblock %}
{% block body %}
<table>
<thead>
{% for i in 0..camps|length-1 %}
<th>{{camps[i]}}</th>
{% endfor %}
</thead>
<tbody>
{% for lliga in lligues %}
<tr>
{% for key, value in lliga|cast_to_array %}
<td>{{ value }}</td>
{% endfor %}
<td>
<a href="{{ path('borrar_lliga', {'nom' : lliga.nom }) }}"><img src="{{ asset('images/bin.png') }}" /></a>
<a href="{{ path('modificar_lliga', {'nom' : lliga.nom }) }}"><img src="{{ asset('images/edit.png') }}" /></a>
</td>
</tr>
{% endfor %}
</tbody>
</table>
{% endblock %}
我相信这可以解决问题。