19

是否可以在 django ORM 中复制这种特定的 sql 排序:

order by

(case

    when id = 5 then 1

    when id = 2 then 2

    when id = 3 then 3

    when id = 1 then 4

    when id = 4 then 5

end) asc

?

4

3 回答 3

53

从 Django 1.8开始,您有了条件表达式,因此extra不再需要使用。

from django.db.models import Case, When, Value, IntegerField

SomeModel.objects.annotate(
    custom_order=Case(
        When(id=5, then=Value(1)),
        When(id=2, then=Value(2)),
        When(id=3, then=Value(3)),
        When(id=1, then=Value(4)),
        When(id=4, then=Value(5)),
        output_field=IntegerField(),
    )
).order_by('custom_order')
于 2015-07-24T13:01:30.037 回答
23

有可能的。从 Django 1.8 开始,您可以通过以下方式进行操作:

from django.db.models import Case, When

ids = [5, 2, 3, 1, 4]
order = Case(*[When(id=id, then=pos) for pos, id in enumerate(ids)])
queryset = MyModel.objects.filter(id__in=ids).order_by(order)
于 2018-04-03T08:07:59.060 回答
5

extra()你可以用/或更简单的方法来做raw(),但在更复杂的情况下它们不能很好地工作。

qs.extra(select={'o':'(case when id=5 then 1 when id=2 then 2 when id=3 then 3 when id=1 then 4 when id=4 then 5 end)', order_by='o'}

YourModel.raw('select ... order by (case ...)')

对于您的代码,条件集非常有限,您可以轻松地在 Python 中进行排序。

于 2012-04-26T09:23:02.790 回答