我在Python 3.4中使用名称bars
将这个结构的 list 传递给了模板:
[{'var': 1.18, 'occurrences': [0.0805, 0.0808, 0.0991, 0.0994, 0.2356], 'name': 'item name'},
{'var': 2.31, 'occurrences': [1.0859, 1.1121, 1.4826, 1.4829, 1.8126, 1.8791], 'name': 'other name'}]
我希望它为每个字典创建以下输出:
% List with names
item 1: item name
item 2: other name
% List with vars
item 1: 1.18
item 2: 2.31
% List with occurences
item 1: 0.0805, 0.0808, 0.0991, 0.0994, 0.2356
item 2: 1.0859, 1.1121, 1.4826, 1.4829, 1.8126, 1.8791
前两个没问题,但是我无法让它循环出现列表。我使用以下jinja模板:
{% for item in bars %}
item {{ loop.index }}: {{ item.name }}
{% endfor %}
{% for item in bars %}
item {{ loop.index }}: {{ item.var }}
{% endfor %}
{% for item in bars recursive %}
{% if item.occurrences %}
Item {{ loop.index}}: {{ loop(item.occurrences) }}
{% else %}
No content
{% endif %}
{% endfor %}
这在第三种情况下给出了这个奇怪的输出:
Item 1: No content
No content
No content
No content
No content
Item 2: No content
No content
No content
No content
No content
No content
这很奇怪,因为似乎它使列表中的每个项目都循环出现,但是没有通过内容测试。我究竟做错了什么?
编辑:所有三个答案都向正确的方向指出了我,但是@famousgarkin提供了最详尽,最灵活的答案。我得到了以下解决方案:
{% for item in bars %}
Item {{ loop.index }}: {% for occurrence in item.occurrences %} subitem {{ loop.index }}: {{ occurrence }} {% endfor %}
{% endfor %}
这使我可以将每个项目放在单独的上下文中,这正是我想要的。但是由于这个目标从一开始就还不清楚,所以我希望我能对您所有的答案表示赞同。抱歉,谢谢大家的快速帮助!
最佳答案
如果您不想使用完全相同的逻辑来格式化嵌套项目,则不要使用递归。
在您的示例中,当循环bars
项时,它会转到正确的路径,因为您可以在输出中看到Item n:
。然后,它下降到递归调用以处理item.occurrences
项。现在,当它询问occurrences
是否存在时,它实际上是在询问bar.occurrences[i].occurrences[j]
,当然,它当然没有occurrences
属性,并且它进入了No content
路径。您可以使用以下命令查看它的运行情况:
{% for item in bars recursive %}
{% if item.occurrences %}
Item {{ loop.index }}: {{ loop(item.occurrences) }}
{% else %}
No content, {{ item.__class__ }}, {{ item }}
{% endif %}
{% endfor %}
产量:
Item 1: No content, <type 'float'>, 0.0805
No content, <type 'float'>, 0.0808
No content, <type 'float'>, 0.0991
No content, <type 'float'>, 0.0994
No content, <type 'float'>, 0.2356
...
它将像这样工作,例如:
{% for item in bars %}
{% if item.occurrences %}
Item {{ loop.index }}: {{ item.occurrences }}
{% else %}
No content
{% endif %}
{% endfor %}
产量:
Item 1: [0.0805, 0.0808, 0.0991, 0.0994, 0.2356]
Item 2: [1.0859, 1.1121, 1.4826, 1.4829, 1.8126, 1.8791]
如果要自己遍历项目以提供自己的格式,则可以使用Jinja
join
过滤器:{% for item in bars %}
{% if item.occurrences %}
Item {{ loop.index }}: {{ item.occurrences|join(', ') }}
{% else %}
No content
{% endif %}
{% endfor %}
产量:
Item 1: 0.0805, 0.0808, 0.0991, 0.0994, 0.2356
Item 2: 1.0859, 1.1121, 1.4826, 1.4829, 1.8126, 1.8791
或再次循环以滚动完全自定义格式:
{% for item in bars %}
{% if item.occurrences %}
Item {{ loop.index }}:
{% for occurrence in item.occurrences %}
{{ loop.index }}. {{ occurrence }}
{% endfor %}
{% else %}
No content
{% endif %}
{% endfor %}
产量:
Item 1:
1. 0.0805
2. 0.0808
3. 0.0991
4. 0.0994
5. 0.2356
...