我有以下管理器,它工作正常。
def by_customer_and_date(self, start_date, end_date):
qs = self.model.objects.filter(
date__range=(start_date, end_date)
).values(
"customer__name"
).annotate(
grand_total_cogs=Sum('total_cogs'),
total_sales=Sum('value'),
total_profit=Sum('profit'),
total_kgs=Sum('qty_applied'),
current_balance=Sum('sale__receiptallocation__qty_applied')
).order_by('-total_kgs')
使用.values("customer__name")
然而,我想做的是:
def by_customer_and_date(self, start_date, end_date):
qs = self.model.objects.filter(
date__range=(start_date, end_date)
).values(
"customer__name"
).annotate(
grand_total_cogs=Sum('total_cogs'),
total_sales=Sum('value'),
total_profit=Sum('profit'),
total_kgs=Sum('qty_applied'),
current_balance=Sum('sale__receiptallocation__qty_applied')
).annotate(
margin=Case(
When(total_sales=0, then=0),
default=(F('profit')) / (F('value'))*100
)
).order_by('-total_kgs')
我使用带注释的值来计算另一个值,其分母可能为零(因此使用Case(When)
)。当我添加这部分时,.values("customer__name")
函数失去了它的效果,并且每个单独的项目都显示出来。
我已经尝试将.values("customer__name")
部分移动到末尾(对每个字段名称添加显式引用),但问题仍然存在。
这是预期的行为吗?有什么办法可以解决这个问题吗?
我已经确定第二个annotate()
必须放在表达式的最后。在我的例子中,它们的正确顺序应该如下:
self.model.objects.filter().values().annotate().order_by().annotate()
结果如下:
def by_customer_and_date(self, start_date, end_date):
qs = self.model.objects.filter(
date__range=(start_date, end_date)
).values(
"customer__name"
).annotate(
grand_total_cogs=Sum('total_cogs'),
total_sales=Sum('value'),
total_profit=Sum('profit'),
total_kgs=Sum('qty_applied'),
current_balance=Sum('sale__receiptallocation__qty_applied'),
).order_by(
'-total_kgs'
).annotate(
final_margin=Case(
When(total_sales=0, then=0),
default=(Sum(F('profit')) / Sum(F('value')))*100
)
)
return qs