这涉及带有 MySQL 后端的 Django 1.4.6。当使用连接进行有序查询时,Django 会将排序子句放在查询的末尾。想象一些模型,如
class MainObject(models.Model):
pass
class RelatedObject(models.Model):
main_object = models.ForeignKey(MainObject)
如果你有很多这样的查询并尝试这样的查询RelatedObject.objects.select_related('main_object').order_by('-id') limit 20000
,取决于有多少连接,几乎是没有排序的相同查询的两倍:RelatedObject.objects.select_related('main_object') limit 20000
这是因为生成的查询是
SELECT app_relatedobject.id, app_relatedobject.main_object_id, app_mainobject.id
FROM app_relatedobject
INNER JOIN app_mainobject ON (app_relatedobject.main_object_id = app_mainobject.id)
ORDER BY app_relatedobject.id DESC
LIMIT 20000
这比同等速度慢得多
SELECT tmp.id, tmp.main_object_id, app_mainobject.id
FROM (
SELECT app_relatedobject.id, app_relatedobject.main_object_id
FROM app_relatedobject
ORDER BY app_relatedobject.id DESC
LIMIT 20000) tmp
INNER JOIN app_mainobject ON (app_relatedobject.main_object_id = tmp.id)
有什么方法可以有效地完成我想要实现的目标吗?对于上下文,我正在使用 django 管理系统并有一个 list_display 需要跨数千条大记录进行大量连接。我不能使用原始 sql,因为管理系统的其余部分需要一个查询集来进行分页和过滤。
任何帮助是极大的赞赏。