1

我有一个名为data.

我正在尝试获取每个对象的所有类型的摘要计数

data.values('type')产生这个输出:

[{'type': u'internal'}, {'type': u'internal'}, {'type': u'external'}, {'type': u'external'}]

我想得到这样的细分(可以有更多的选择,而不仅仅是“内部”和“外部”。这可能是多达 20 种不同的类型:

internal: 2
external: 2

我正在尝试这个,但它只是返回一个空字典......

data.values('type').aggregate(Count('type'))

Annotate 也产生了不希望的结果:

data.values('type').annotate(Count('type'))


[{'type': u'internal', 'type_count': 1}, {'type': u'internal', 'type_count': 1}, {'type': u'external', 'type_count': 1}, {'type': u'external', 'type_count': 1}]

模型.py

class Purchase(models.Model):    

    type = models.ForeignKey(Types)
4

2 回答 2

5
 lists = ModelName.objects.values('type').annotate(count=Count('type'))

在 html 中:

 {% for list in lists %}
     {{list.type}} - {{list.count}}<br/>
 {% endfor %}

测试:

 {{lists}}
 //don't use forloop yet. This will tests if the above query produce data or it is empty

更新:

def view_name(request):
    lists = ModelName.objects.values_list('type', flat=True).distinct()
    types = []
    for list in lists:
        type_count = ModelName.objects.filter(type=list.type).count()
        types.append({'type': list.type, 'count': type_count})

    return render(request, 'page.html', {
            'types': types,
    })

{% for type in types %}
    {{type.type}} - {{type.count}}
{% endfor %}
于 2013-02-28T14:21:52.617 回答
1

它们有几种方法,假设您想要字典中的结果,简单的方法是:

results = { 'internal': data.filter( value = 'internal'  ).count(),
            'external': data.filter( value = 'external'  ).count() }

对于少数查询集,您可以使用 itertools,这会将工作从数据库层转换为 django 层。这意味着它只是小查询集的解决方案。

from itertools import groupby
results = groupby(data.all(), lambda x: x.type)
于 2013-02-28T14:24:11.127 回答