本文介绍了组合Django查询集上的行的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我有一个具有属性Location、Person和Error的查询集

我需要创建新的查询集或编辑现有的查询集,以便根据特定条件合并行(&Q;)此标准是指位置和人员是否相同合并后,如果要合并的任何行都具有TRUE值,我希望将错误值设为TRUE在这种情况下,应按如下方式更改该表:

L1P1FALSE
L1P1true
L2P2FALSE
L2P2FALSE
L1P1true
L2P2FALSE

推荐答案

您不应为此使用aggregate(),而应使用annotate()(docs)。

输入:

class T(models.Model):
    person = models.CharField(max_length=10)
    location = models.CharField(max_length=10)
    error = models.BooleanField()

T.objects.bulk_create([
    T(person='P1', location='L1', error=False),
    T(person='P1', location='L1', error=True),
    T(person='P2', location='L2', error=False),
    T(person='P2', location='L2', error=False)
])
for t in T.objects.all().values('person', 'location').distinct().annotate(error=Sum('error')):
    print(t)

输出:

{'person': 'P1', 'location': 'L1', 'error': True}
{'person': 'P2', 'location': 'L2', 'error': False}

这篇关于组合Django查询集上的行的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

06-17 09:03