根据模型属性(而非字段)对Django QuerySet进行排序
一些代码和我的目标
我的(简化的)模型:
class Stop(models.Model):
EXPRESS_STOP = 0
LOCAL_STOP = 1
STOP_TYPES = (
(EXPRESS_STOP, 'Express stop'),
(LOCAL_STOP, 'Local stop'),
)
name = models.CharField(max_length=32)
type = models.PositiveSmallIntegerField(choices=STOP_TYPES)
price = models.DecimalField(max_digits=5, decimal_places=2, null=True, blank=True)
def _get_cost(self):
if self.price == 0:
return 0
elif self.type == self.EXPRESS_STOP:
return self.price / 2
elif self.type == self.LOCAL_STOP:
return self.price * 2
else:
return self.price
cost = property(_get_cost)
我的目标:我想按照 cost
属性进行排序。我尝试了两种方法。
使用 order_by 查询集 API
Stops.objects.order_by('cost')
结果出现了以下模板错误:
Caught FieldError while rendering: Cannot resolve keyword 'cost' into field.
使用 dictsort 模板过滤器
{% with deal_items|dictsort:"cost_estimate" as items_sorted_by_price %}
收到了以下模板错误:
Caught VariableDoesNotExist while rendering: Failed lookup for key [cost] in u'Union Square'
所以……
我该怎么做呢?
1 个回答
17
使用 QuerySet.extra()
和 CASE ... END
来定义一个新字段,并根据这个字段进行排序。
Stops.objects.extra(select={'cost': 'CASE WHEN price=0 THEN 0 '
'WHEN type=:EXPRESS_STOP THEN price/2 WHEN type=:LOCAL_STOP THEN price*2'},
order_by=['cost'])
或者,你可以把从其他地方得到的 QuerySet
转换成一个列表,然后在这个列表上使用 L.sort(key=operator.attrgetter('cost'))
来进行排序。