django order by key list
28660 단어 Django
Usually, obtaining a QuerySet from a list is quite simple :
>>> queryset = Theme.objects.filter(pk__in=[1, 2, 10])
>>> type(queryset)
'django.db.models.query.QuerySet'>
>>> queryset
[, , ]
The problem is that the list order is ignored :
>>> Theme.objects.filter(pk__in=[10, 2, 1])
[, , ]
If obtaining a QuerySet is not a requirement, it's rather easy to get a list sorted according to another :
pks_list = [10, 2, 1]
themes = list(Theme.objects.filter(pk__in=pks_list))
themes.sort(key=lambda t: pks_list.index(t.pk))
In my case, I want a QuerySet, a brave lazy one, with proper filter(), exclude(), values() ...
Fallback to SQL
AFAIK, most database engines ignore order of records, until you specify an ordering column. In our case, the list is arbitrary, and does not map to any existing attribute, thus db column.
If you use MySQL (who does?!), there is a FIELD() function that provides custom input for the sort method :
SELECT *
FROM theme
ORDER BY FIELD(`id`, 10, 2, 1);
Using the ORM, it gives us (thanks Daniel Roseman)
pk_list = [10, 2, 1]
ordering = 'FIELD(`id`, %s)' % ','.join(str(id) for id in pk_list)
queryset = Theme.objects.filter(pk__in=[pk_list]).extra(
select={'ordering': ordering}, order_by=('ordering',))
Well, good news it can be ported to PostgreSQL. But if possible, I would prefer native SQL.
And it looks like the magnificient syntax of SQL provides ORDER BY CASE WHEN ... END !
SELECT *
FROM theme
ORDER BY
CASE
WHEN id=10 THEN 0
WHEN id=2 THEN 1
WHEN id=1 THEN 2
END;
Using the ORM, it gives us :
pk_list = [10, 2, 1]
clauses = ' '.join(['WHEN id=%s THEN %s' % (pk, i) for i, pk in enumerate(pk_list)])
ordering = 'CASE %s END' % clauses
queryset = Theme.objects.filter(pk__in=pk_list).extra(
select={'ordering': ordering}, order_by=('ordering',))
I wonder how it behaves with zillions of records though ;)
One more thing: before Django 1.6, there was a bug with calling values_list() on a queryset ordered by an extra column. Use this :
values = queryset.values('ordering', 'label')
labels = [value['label'] for value in values]
Good luck ! Please share your advices or critics ;)
전재【http://blog.mathieu-leplatre.info/django-create-a-queryset-from-a-list-preserving-order.html】
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Django 라우팅 계층 URLconf 작용 및 원리 해석URL 구성(URLconf)은 Django가 지원하는 웹 사이트의 디렉토리와 같습니다.그것의 본질은 URL과 이 URL을 호출할 보기 함수 사이의 맵표입니다. 위의 예제에서는 URL의 값을 캡처하고 위치 매개 변수로...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.