Django表单获取每个组的最新版本

m1m5dgzv  于 2022-11-18  发布在  Go
关注(0)|答案(5)|浏览(195)

我正在使用Django 1.6和Mysql。
我有这些模型:

class Student(models.Model):
     username = models.CharField(max_length=200, unique = True)

class Score(models.Model):
     student = models.ForeignKey(Student)
     date = models.DateTimeField()
     score = models.IntegerField()

我想得到每个学生的最新成绩记录。
我试过:

Score.objects.values('student').annotate(latest_date=Max('date'))

以及:

Score.objects.values('student__username').annotate(latest_date=Max('date'))

正如所描述的Django ORM - Get the latest record for the group,但它没有帮助。

lskq00tm

lskq00tm1#

如果您的数据库是postgres,它支持distinct() on field,您可以尝试

Score.objects.order_by('student__username', '-date').distinct('student__username')
oewdyzsn

oewdyzsn2#

这应该可以在Django 1.2+和MySQL上使用:

Score.objects.annotate(
  max_date=Max('student__score__date')
).filter(
  date=F('max_date')
)
mwngjboj

mwngjboj3#

我相信这会给予你学生和数据

Score.objects.values('student').annotate(latest_date=Max('date'))

如果您想要完整的Score记录,似乎您将不得不使用原始SQL查询:Filtering Django Query by the Record with the Maximum Column Value

xu3bshqb

xu3bshqb4#

已经有一些很好的答案了,但是没有一个提到窗口函数。
以下示例使用相应学生得最新分数注解所有分数对象:

from django.db.models import F, Window
from django.db.models.functions import FirstValue

scores = Score.objects.annotate(
    latest_score=Window(
        expression=FirstValue('score'),
        partition_by=['student'],
        order_by=F('date').desc(),
    )
)

这将产生以下SQL(使用Sqlite后端):

SELECT 
  "score"."id", 
  "score"."student_id", 
  "score"."date", 
  "score"."score", 
  FIRST_VALUE("score"."score") 
  OVER (PARTITION BY "score"."student_id" ORDER BY "score"."date" DESC) 
  AS "latest_score" 
FROM "score"

所需的信息已经存在,但是我们还可以将该查询集简化为student_idlatest_score的唯一组合的集合。
例如,在PostgreSQL上,我们可以使用distinct和字段名,如scores.distinct('student')
在其他数据库后端,我们可以执行类似set(scores.values_list('student_id', 'latest_score'))的操作,尽管这会评估查询集。
不幸的是,在撰写本文时,还不能过滤窗口化查询集。

shyt4zoc

shyt4zoc5#

下面是一个使用Greatest和辅助annotate的示例。我遇到了一个问题,即注解返回重复记录(示例),但last_message_time Greatest注解导致了重复。

qs = (
            Example.objects.filter(
                Q(xyz=xyz)
            )
            .exclude(
                 Q(zzz=zzz)
            )
            # this annotation causes duplicate Examples in the qs
            # and distinct doesn't work, as expected
            # .distinct('id') 
            .annotate(
                last_message_time=Greatest(
                    "comments__created",
                    "files__owner_files__created",
                )
            )
            # so this second annotation selects the Max value of the various Greatest
            .annotate(
                last_message_time=Max(
                    "last_message_time"
                )
            )
            .order_by("-last_message_time")
    )

参考文献:

  • https://docs.djangoproject.com/en/3.1/ref/models/database-functions/#greatest
  • from django.db.models import Max

相关问题