Django注释:从注释值而不是ID获取对象

时间:2011-03-10 17:07:23

标签: django annotations models summary

我是Django Annotations的新手,我正在尝试在给定地点生成订单收入的摘要报告。

例如,报告看起来像这样:

Location Name | Location Type | Sum of Order Subtotal 

这些是我将使用的示例模型:

class Order(models.Model):
    order_subtotal = models.DecimalField(...)
    location = models.ForignKey('Location')
    ....

class Location(models.Model):
    name = models.CharField(...)
    type = models.IntegerField(...)
    ....

我可以运行一些查询来注释...

from django.db import models

In [1]: order_locations =\
    Order.objects.values('location').annotate(models.Sum('order_subtotal'))

In [2]: order_locations[0]
Out[2]: {'location': 1, 'order_subtotal__sum': Decimal('1768.08')}

In [3]: location = order_locations[0]['location']

In [4]: location
Out[4]: 1

In [5]: type(location)
Out[5]: <type 'int'>

但是,上面的行返回一个int而不是一个Location对象。我希望能够以某种方式引用位置名称和位置类型,如location.name或location.type。是否有某种方法可以在注释中返回位置对象而不仅仅是位置ID(需要单独的可能昂贵的查找)?

非常感谢任何建议。

谢谢, 乔

1 个答案:

答案 0 :(得分:2)

计算每个位置order_subtotal的总和:

>>> locations = Location.objects.all().annotate(total=Sum('order__order_subtotal'))
>>> [(loc.name, loc.typ, loc.total) for loc in locations]
[(u'A', 1, Decimal('10.00')),
 (u'B', 1, Decimal('20.00')),
 ...]

计算每种地点类型order_subtotal的总和:

>>> Location.objects.all().values('type').annotate(total=Sum('order__order_subtotal'))
[{'total': Decimal('70.00'), 'typ': 1}, {'total': Decimal('179.00'), 'typ': 2}]

计算每个地点的总和,但不包括超过14天的订单::

>>> starting_date = datetime.datetime.now() - datetime.timedelta(14)
>>> locations = Location.objects.filter(order__date_gte=starting_date) \
                                .annotate(total=Sum('order__order_subtotal'))

另请注意:django docs上的ORDER OF annotate() AND filter() CLAUSES