18

我需要在模板中表示集合并将每四个元素包装在

<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 %}
4

5 回答 5

61

以下应该使用内置模板标签解决您的问题:

<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>
于 2012-08-15T06:46:25.493 回答
18

您可以使用前面提到的 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 %}
于 2012-08-15T08:02:50.923 回答
3

您可以使用 divisibleby 内置过滤器,这里是 django 文档的链接

所以这样的事情会起作用

{% if value|divisibleby 4 %}
#your conditional code
{% endif %}
于 2012-08-15T06:33:50.860 回答
2

如果你想通过检查第一个 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>
于 2017-10-10T02:51:18.083 回答
1

我个人会考虑在将视图中的元素传递给模板之前将它们分开,然后使用嵌套的 for 循环。除此之外,您实际上只有 Vaibhav Mishra 提到的过滤器或模板标签选项。

于 2012-08-15T06:36:06.130 回答