2

我正在尝试构建一个查询来获取“每个用户购买的商品的平均、最大和最小数量”。

数据源是这个简单的销售记录表:

class SalesRecord(models.Model):
    id           = models.IntegerField(primary_key=True)
    user_id      = models.IntegerField()
    product_code = models.CharField()
    price        = models.IntegerField()
    created_at   = models.DateTimeField()

对于用户购买的每件商品,都会在此表中插入一条新记录。【注意】:user_id不是同一个数据库中表的外键,因为这个后台系统不管理用户信息该值由产品的前端部分提供。

这是我构建查询的尝试:

q = SalesRecord.objects.all()
q = q.values('user_id').annotate(   # group by user and count the # of records
    count=Count('id'),              # (= # of items)
    ).order_by()
result = q.aggregate(Max('count'), Min('count'), Avg('count'))

当我尝试执行代码时,ProgrammingError在最后一行引发了 a:

(1064,“您的 SQL 语法有错误;请查看与您的 MySQL 服务器版本相对应的手册,以了解在 'FROM (SELECT sales_records. user_idAS user_id, COUNT( sales_records.`' at line 1) 附近使用的正确语法”)

Django 的错误屏幕显示 SQL 是

SELECT FROM
  (SELECT
    `sales_records`.`user_id` AS `user_id`,
    COUNT(`sales_records`.`id`) AS `count`
  FROM `sales_records`
  WHERE (`sales_records`.`created_at` >= %s AND `sales_records`.`created_at` <= %s )
  GROUP BY `sales_records`.`user_id` ORDER BY NULL) subquery

它没有选择任何东西!有人可以告诉我正确的方法吗?

入侵 Django

我发现清除所选字段的缓存django.db.models.sql.query.BaseQuery.get_aggregation()似乎可以解决问题。虽然我不确定这是修复还是解决方法。

@@ -327,10 +327,13 @@
    # Remove any aggregates marked for reduction from the subquery
    # and move them to the outer AggregateQuery.
+   self._aggregate_select_cache = None
+   self.aggregate_select_mask = None
    for alias, aggregate in self.aggregate_select.items():
        if aggregate.is_summary:
            query.aggregate_select[alias] = aggregate
-           del obj.aggregate_select[alias]
+           if alias in obj.aggregate_select:
+               del obj.aggregate_select[alias]

...产生结果:

{'count__max': 267, 'count__avg': 26.2563, 'count__min': 1}
4

2 回答 2

2

按原样使用模型(w/oa FK to User),您可以获得 user_id 计数,然后自己进行数学计算:

counts = SalesRecord.objects.values('user_id').\
        annotate(count=Count('id')).values_list('count', flat=True)
(max(counts), min(counts), sum(counts) / float(len(counts)))

如果您能够更改表格以使用 ForeignKey 并使您的模型看起来更像这样:

class SalesRecord(model.Models):
    user = model.ForeignKey(User)
    product_code = models.CharField()
    price        = models.IntegerField()
    created_at   = models.DateTimeField()

然后您可以从 User 对象解决问题并使用聚合():

users_with_counts = Users.objects.annotate(count=Count('salesrecord'))
stats = users_with_counts.aggregate(Max('count'), Min('count'), Avg('count'))

无论哪种方式都可以通过单个数据库查询为您提供所需的内容。

于 2010-04-01T15:29:11.877 回答
0

您的 ORM 查询确实是正确的,但错误在 Django 1.6 中。显然它已在 1.7 中修复。来源:https ://code.djangoproject.com/ticket/23669#comment:5

于 2014-10-17T10:03:23.337 回答