我需要在模板中表示集合并将每四个元素包装在
中<li></li>
模板应该是这样的:
<ul>
<li>
<a></a>
<a></a>
<a></a>
<a></a>
</li>
<li>
<a></a>
<a></a>
<a></a>
<a></a>
</li>
<li>
<a></a>
<a></a>
<a></a>
<a></a>
</li>
</ul>
所以我需要在{%for%}
中完成{% for obj in objects %}
{#add at 1th and every 4th element li wrap somehow#}
<a>{{object}}</a>
{# the same closing tag li#}
{% endfor %}
答案 0 :(得分:52)
以下内容应使用内置模板标记解决您的问题:
<ul>
<li>
{% for obj in objects %}
<a>{{ obj }}</a>
{# if the the forloop counter is divisible by 4, close the <li> tag and open a new one #}
{% if forloop.counter|divisibleby:4 %}
</li>
<li>
{% endif %}
{% endfor %}
</li>
</ul>
答案 1 :(得分:15)
您可以使用前面提到的divisibleby标记,但出于模板清除的目的,我通常更喜欢返回生成器的辅助函数:
def grouped(l, n):
for i in xrange(0, len(l), n):
yield l[i:i+n]
示例简单化视图:
from app.helpers import grouped
def foo(request):
context['object_list'] = grouped(Bar.objects.all(), 4)
return render_to_response('index.html', context)
示例模板:
{% for group in object_list %}
<ul>
{% for object in group %}
<li>{{ object }}</li>
{% endfor %}
</ul>
{% endfor %}
答案 2 :(得分:3)
您可以使用divisibleby内置过滤器here is link to django documentation
所以像这样的东西会起作用
{% if value|divisibleby 4 %}
#your conditional code
{% endif %}
答案 3 :(得分:1)
我个人会考虑在将视图中的元素传递给模板然后使用嵌套for循环之前将它们分开。除此之外,你真的只有Vaibhav Mishra提到的过滤器或模板标签选项。
答案 4 :(得分:1)
如果您想通过首先检查forloop和最后一个forloop来使用它,您可以使用它:
<ul>
{% for obj in objects %}
{% if forloop.first %}
<li>
{% endif %}
<a>{{obj}}</a>
{% if forloop.counter|divisibleby:4 and not forloop.first %}
</li>
<li>
{% endif %}
{% if forloop.last %}
</li>
{% endif %}
{% endfor %}
</ul>