我有一个名为'student'的数据库表,其中有一列名为'marks'。我想要数学成绩最高的学生记录。使用order_by()[0]
:
Student.objects.filter(subject='Maths').order_by('-marks')[0]
但是这会对表格进行排序,然后将第一条记录提取给我。如果我的表很大,这是多余的,因为我只需要最大记录。有没有办法在没有排序的情况下获得最大值?
我想要整个对象,而不仅仅是最大值。
谢谢Anuj
答案 0 :(得分:25)
所需的SQL将是这样的:
SELECT *
FROM STUDENT
WHERE marks = (SELECT MAX(marks) FROM STUDENT)
要通过Django执行此操作,您可以使用aggregation API。
max_marks = Student.objects.filter(
subject='Maths'
).aggregate(maxmarks=Max('marks'))['maxmarks']
Student.objects.filter(subject='Maths', marks=max_marks)
不幸的是,这个查询实际上是两个查询。执行最大标记聚合,将结果拉入python,然后传递给第二个查询。 (令人惊讶的是)没有办法传递一个只是没有分组的聚合的查询集,即使它应该可以做到。我打算打开一张票,看看如何修复。
编辑:
可以通过单个查询执行此操作,但不是很明显。我没有在其他地方见过这种方法。
from django.db.models import Value
max_marks = (
Student.objects
.filter(subject='Maths')
.annotate(common=Value(1))
.values('common')
.annotate(max_marks=Max('marks'))
.values('max_marks')
)
Student.objects.filter(subject='Maths', marks=max_marks)
如果您在shell中打印此查询,则会得到:
SELECT
"scratch_student"."id",
"scratch_student"."name",
"scratch_student"."subject",
"scratch_student"."marks"
FROM "scratch_student"
WHERE (
"scratch_student"."subject" = Maths
AND "scratch_student"."marks" = (
SELECT
MAX(U0."marks") AS "max_marks"
FROM "scratch_student" U0
WHERE U0."subject" = Maths))
在Django 1.11上测试(目前处于alpha状态)。这通过将注释按常量1分组来进行,每个行将分组。然后我们从选择列表中剥离这个分组列(第二个values()
。Django(现在)知道足够多,以确定分组是多余的,并消除它。使用我们需要的确切SQL留下一个查询。
答案 1 :(得分:0)
这个问题对您有所帮助: How to do SELECT MAX in Django?
只需使用聚合。
from django.db.models import Max
Student.objects.filter(subject='Math').aggregate(Max('marks'))
未经测试,但应该有效。 :)
答案 2 :(得分:0)
使用天真的数据库表,理论上没有可能的方法,数据库可以在没有首先排序的情况下为您检索最大值。试想一下,数据库如何知道哪个是最大值,除非它查看每一行?
当然,这是一个非常天真的设置。幸运的是,您有两种选择:
使用索引。如果您在该列上创建索引,则排序通常可以利用索引 - 为您节省全表扫描。
normalize(aka precompute)。在存储最大值的某处创建另一个表,并确保每次添加/修改/删除Student对象时都检查/更新它。
在不了解更多要求的情况下,我强烈建议您使用索引。
退房:https://docs.djangoproject.com/en/dev/ref/models/fields/#db-index
答案 3 :(得分:0)
from django.db.models import Max
temp = Student.objects.filter(subject='Math').aggregate(Max('marks'))
record = Student.objects.filter(Q(subject='Math') & Q(subject=temp['marks__max']))