tags:

views:

111

answers:

3

Is it possible to use the django ORM to order a queryset by the sum of two different fields?

For example, I have a model that looks like this:

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

and I want to do something like this:

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

But unfortunately, F objects don't seem to work with 'order_by'. Is such a thing possible with django?

A: 

http://stackoverflow.com/questions/476017/django-queryset-order-by-method/476033#476033

Riateche
Not quite what I was looking for. That method sums a certain field across all related objects. (In that particular example, it sums the value of all related votes.) I need to sum two fields on the original object. Thus, I can't use the Sum aggregator, unless there's a way to use it that I am not aware of.
Nate
+2  A: 

You can use extra for this.

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

See the documentation.

Daniel Roseman
+1  A: 

Use extra:

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