在我的Django 1.1.1应用程序中,我在视图中有一个函数,它返回一个数字范围和一系列项目列表,例如:
...
data=[[item1 , item2, item3], [item4, item5, item6], [item7, item8, item9]]
return render_to_response('page.html', {'data':data, 'cycle':range(0,len(data)-1])
在模板内部我有一个外部for循环,其中还包含另一个循环以在输出中显示以这种方式包含内部数据列表
...
{% for page in cycle %}
...
< table >
{% for item in data.forloop.counter0 %}
< tr >< td >{{item.a}} < /td > < td > {{item.b}} ... < /td > < /tr >
...
< /table >
{% endfor %}
{% if not forloop.last %}
< div class="page_break_div" >
{% endif %}
{% endfor %}
...
但Django模板引擎不能使用forloop.counter0
值作为列表的索引(相反,如果我手动将数值作为索引)。有没有办法让列表循环与外部forloop.counter0
值一起使用?
在此先感谢您的帮助:)
答案 0 :(得分:17)
我以相当低效的方式解决了这个问题。阅读此代码时,请不要摔倒在计算机上。给定两个相同长度的列表,它将遍历第一个并从第二个打印相应的项目。
如果必须使用它,只能将它用于很少访问的模板,其中两个列表的长度都很小。理想情况下,重构模板的数据以完全避免这个问题。
{% for list1item in list1 %}
{% for list2item in list2 %}
{% if forloop.counter == forloop.parentloop.counter %}
{{ list1item }} {{ list2item }}
{% endif %}
{% endfor %}
{% endfor %}
答案 1 :(得分:12)
您不能将变量用于属性名称,字典键或列表索引。
range(0,len(data)-1]
也是无效的python。它应该是range(len(data))
。
您可能不需要cycle
。也许你想要的是这个:
{% for itemlist in data %}
...
<table>
{% for item in itemlist %}
<tr>
<td>{{ item.a }}</td>
<td>{{ item.b }} ... </td>
</tr>
...
{% endfor %}
</table>
{% if not forloop.last %}
<div class="page_break_div">
{% endif %}
{% endfor %}
答案 2 :(得分:3)
我想通过传递切换的True / False值列表,使用样式表在表格中交替显示颜色。我觉得这真令人沮丧。最后,我创建了一个字典项列表,其中的键与表中的字段具有相同的键,另外还有一个带有切换的true / false值的字典项。
def jobListView(request):
# django does not allow you to append stuff to the job identity, neither
# will it allow forloop.counter to index another list. The only solution
# is to have the toggle embedded in a dictionary along with
# every field from the job
j = job.objects.order_by('-priority')
# have a toggling true/false list for alternating colours in the table
theTog = True
jobList = []
for i in j:
myJob = {}
myJob['id'] = i.id
myJob['duty'] = i.duty
myJob['updated'] = i.updated
myJob['priority'] = i.priority
myJob['description'] = i.description
myJob['toggle'] = theTog
jobList.append(myJob)
theTog = not(theTog)
# next i
return render_to_response('index.html', locals())
# end jobDetaiView
和我的模板
{% if jobList %}
<table border="1"><tr>
<th>Job ID</th><th>Duty</th><th>Updated</th><th>Priority</th><th>Description</th>
</tr>
{% for myJob in jobList %}
<!-- only show jobs that are not closed and have a positive priority. -->
{% if myJob.priority and not myJob.closeDate %}
<!-- alternate colours with the classes defined in the style sheet -->
{% if myJob.toggle %}
<tr class=d1>
{% else %}
<tr class=d0>
{% endif %}
<td><a href="/jobs/{{ myJob.id }}/">{{ myJob.id }}</td><td>{{ myJob.duty }}</td>
<td>{{ myJob.updated }}</td><td>{{ myJob.priority }}</td>
<td class=middle>{{ myJob.description }}</td>
</tr>
{% endif %}
{% endfor %}
</ul>
{% else %}
<p>No jobs are in the system.</p>
{% endif %}
答案 3 :(得分:0)
使用forloop.last - 如果这是最后一次循环,则为真:
{% if forloop.last %}
{% endif %}