Django order_by字段总和

时间:2010-07-01 18:53:07

标签: python django

是否可以使用django ORM通过两个不同字段的总和来对查询集进行排序?

例如,我有一个看起来像这样的模型:

class Component(models.Model):
    material_cost = CostField()
    labor_cost = CostField()

我想做这样的事情:

component = Component.objects.order_by(F('material_cost') + F('labor_cost'))[0]

但不幸的是,F对象似乎不适用于'order_by'。用django这样的事情可能吗?

3 个答案:

答案 0 :(得分:18)

您可以使用extra

Component.objects.extra(
    select={'fieldsum':'material_cost + labor_cost'},
    order_by=('fieldsum',)
)

请参阅the documentation

答案 1 :(得分:7)

我认为现在是时候提供更好的答案了。由于django团队正在考虑弃用extra(),因此将annotate()F()表达式一起使用会更好:

from django.db.models import F

Component.objects.annotate(fieldsum=F('material_cost') + F('labor_cost')).order_by('fieldsum')

另见https://code.djangoproject.com/ticket/25676

答案 2 :(得分:2)

使用额外的:

Component.objects.extra(select = {'total_cost' : 'material_cost + labor_cost'},
                                   order_by = ['total_cost',])[0]