注释总和的 Django 聚合平均值 (1.6.5)

Django aggregate average of an annotation sum (1.6.5)


目前正在尝试获取一组依据的总和的平均值,但是当我尝试执行正确的查询集时,它抱怨语法不正确

objs = MyModel.objects.filter(...).values('user', 'value')
objs = objs.annotate(sum=Sum('value')) 
# i've also tried adding `.values('sum')` to the above
objs = objs.aggregate(Avg('sum')) # whines here

有什么方法可以做到这一点而不掉入 SQL?所需的 SQL 符合

SELECT AVG(`sum`) as `avg` FROM ( 
    SELECT SUM(`appname_mymodel`.`value`) AS `sum`
    FROM `appname_mymodel` 
    GROUP BY 
        `appname_mymodel`.`user_id`, `appname_mymodel`.`value`
) as subquery ORDER BY NULL;

不确定 django 是否能很好地处理子查询。

错误信息如下:

ProgrammingError: (1064, "You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'FROM (SELECT SUM(`appname_mymodel`.`value`) AS `sum` FROM `appname_' at line 1")

Django 版本 - 1.6.5

MySQL 版本 - 5.5

备注:

型号:

# Create your models here.

class UserProfile(models.Model):
    name = models.CharField(max_length=200)

class OtherFK(models.Model):
    name = models.CharField(max_length=200)

class MyModel(models.Model):
    # Happens if value is CharField or IntegerField
    value = models.CharField(max_length=200, blank=True, null=True)
    date = models.DateField()
    user = models.ForeignKey(UserProfile)
    other_fk = models.ForeignKey(OtherFK)

示例:

>>> from app_name.models import UserProfile, OtherFK, MyModel
>>> up = UserProfile.objects.create(name="test")
>>> fk = OtherFK.objects.create(name="test")
>>> v1 = MyModel.objects.create(user=up, other_fk=fk, value="12", date="2015-10-01")
>>> v2 = MyModel.objects.create(user=up, other_fk=fk, value="13", date="2015-10-02")
>>> from django.db.models import Sum,Avg
>>> MyModel.objects.all().values("user").distinct().annotate(sum=Sum("value")).aggregate(Avg('sum'))
ProgrammingError: (1064, "You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'FROM (SELECT DISTINCT `app_name_mymodel`.`user_id` AS `user_id`, SUM(`app_name_m' at line 1")
>>> MyModel.objects.all().values("user").distinct().annotate(sum=Sum("value"))
[{'sum': 25.0, 'user': 1L}]
>>> print MyModel.objects.all().values("user").distinct().annotate(sum=Sum("value")).query
SELECT DISTINCT `app_name_mymodel`.`user_id`, SUM(`app_name_mymodel`.`value`) AS `sum` FROM `app_name_mymodel` GROUP BY `app_name_mymodel`.`user_id` ORDER BY NULL

我认为这就是您所需要的,请在测试以下行后提供反馈:

MyModel.objects.filter(...).values('user__id').distinct().annotate(sum=Sum('value')).aggregate(Avg('sum'))

看起来这是 Django 1.6 中的 known bug,需要升级到 1.7+ 才能修复

现在,我将只计算 python。