我试图仅在Django模板中获得第一次或第n次迭代。 通常我可以迭代使用,
{% for item in pModel %}
{{ item.post }}
{% endfor %}
我需要第一次迭代,但也想知道如何获得第n次迭代,
{{pModel.0.post}}`什么都不显示,没有错误。
我不想遍历pModel中的每个对象。
我尝试了所有组合,即
{{ pModel[0][post] }}
{{ pModel.0.[post] }}
{{ pModel[0].post }}
{{ pModel[0][post] }}
{{ pModel.[0][post] }}
{{ pModel.[0].[post] }} etc.
pModel来自这个视图,
def profile(request, id):
pk = id
name = User.objects.all().filter(id=pk)
pModel = reversed(PostModel.objects.all().filter(author = name[0]))
# user_instance = User.objects.all().filter(username = request.user)
return render(request, 'profile.html', {'pModel': pModel, 'current_time': timezone.now()})
以下显示无,
<strong>{{ pModel.first.post }}</strong>
在同一模板中,我使用正确显示的pModel,因此我知道pModel正在工作。完整的模板,
{% extends 'index.html' %} {% block homepage %}
<div class="post">
{% if pModel %}
<h3>Profile for <strong>{{ pModel.first.post }}</strong></h3>
<p>Last logged in: {{user.last_login|timesince:current_time}} ago on {{ user.last_login }}</p>
<p>Joined {{user.date_joined|timesince:current_time}} ago on {{ user.date_joined }}</p>
{% endif %}
{% if pModel %}
<div class="table-responsive">
<table class='table table-striped table-hover'>
<thead>
<tr>
<th>{{user.username}}'s posts</th>
<th>Topic</th>
<th>Topic Started By</th>
<th>Last Active</th>
<th class="table-cell-center">Views</th>
</tr>
</thead>
<tbody>
{% for item in pModel %}
<tr>
<td><a href="{% url 'thread' item.topic_id %}">{{ item.post }} uuu {{ pModel.0}}</a></td>
<td>{{ item.topic.topic }}</td>
<!-- item.topicid.authorid_id -->
<td><a href="{% url 'profile' user.id %}">{{ item.topic.topicAuthor }}</a></td>
<td class="icon-nowrap">{{ item.pub_date|timesince:current_time}}</td>
<td class="table-cell-center">{{ item.topic.views }}</td>
</tr>
{% endfor %}
</tbody>
</table>
</div>
{% endif %}
</div>
{% endblock %}
答案 0 :(得分:5)
您可以使用forloop.counter0
template variable。例如,要访问n'th
元素:
{% for item in pModel %}
{% if forloop.counter0 == n %}
{{ item.post }}
{% endif %}
{% endfor %}
您还可以使用first
作为特例:
{{ item.first.post }}
答案 1 :(得分:2)
您的pModel
变量不是查询集或列表,而是reverse iterator。您无法访问迭代器的各个元素,只能迭代迭代器一次,在此过程中耗尽它。
要支持访问各个元素,您需要将pModel
转换为sequence,例如列表:
pModel = list(reversed(PostModel.objects.filter(author = name[0])))
然后,您可以访问模板中的索引:
{{ pModel.0.post }}