0

我在 Django 中有模型、视图和模板,并且想要显示类别的总数。

class Entry (models.Model):
    title = models.CharField(max_length=200)
    category = models.ForeignKey('entry.Category')

class Category(models.Model):
    title = models.CharField(max_length=100)
    parent = models.ForeignKey('self', blank=True, null=True, related_name='children')

def category(request):
    category = Category.objects.all()
    return render_to_response('category.html', locals(), context_instance=RequestContext(request))

<ul>
{% for category in category %}
<li><a href="{{ category.slug }}">{{ category.title }}</a> ({{ category.entry_set.all.count }})</li>
{% endfor %}
</ul>

电流输出:

-类别 1 (0)

--子类别 1 (3)

--子类别 2 (6)

愿望输出是这样的:

-类别 1 (9)

--子类别 1 (3)

--子类别 2 (6)

如何获得该输出?

4

2 回答 2

2

使用category.entry_set.count而不是category.entry_set.all.count.

此外,您使用相同的变量名称category来引用多个值,您可能想要更改它。

更新模板为:

<ul>
{% for cat in category %}
<li><a href="{{ cat.slug }}">{{ cat.title }}</a> ({{ cat.entry_set.count }})</li>
{% endfor %}
</ul>
于 2013-06-16T06:38:21.743 回答
0

通过使用 Django-MPTT 解决并像这样更新我的视图和模板:

视图.py:

def category(request):
    category = Category.tree.add_related_count(Category.objects.all(), Entry, 'category', 'cat_count', cumulative=True)
    return render_to_response('category.html', locals(), context_instance=RequestContext(request))

类别.html:

{% recursetree category %}
<ul>
<a href="{{ node.slug }}">{{ node.title }} ({{ node.cat_count }})</a>
{% if not node.is_leaf_node %}
<li class="children">
{{ children }}
</li>
{% endif %}
</ul>
{% endrecursetree %}
于 2013-10-26T08:22:45.030 回答