我正在尝试构建一个查询集以进行计数,该查询集涉及三个模型。
class Owner(models.Model):
name = models.CharField(max_length=10, null=False)
class Location(models.Model):
name = models.CharField(max_length=10, null=False)
owner = models.ForeignKey(Owner, on_delete=models.SET_NULL, null=True, blank=True)
class Asset(models.Model):
name = models.CharField(max_length=10, null=false)
owner = models.ForeignKey(Owner, on_delete=models.SET_NULL, null=True, blank=True)
location = models.ForeignKey(Location, on_delete=models.SET_NULL, null=True, blank=True)
我试图对所有者的位置和所有者的资产进行计数,我可以通过两个单独的查询集来实现这一点,如下所示:
locations = Owner.objects.all().annotate(locations=Count('location'))
assets = Owner.objects.all().annotate(assets=Count('asset'))
这很好用,但是我想做的是为这两个值都获得一行,并建立一个类似于下面的表。
| Owner | Assets | Locations |
|--------+--------+-----------|
| owner1 | 10 | 3 |
| owner2 | 100 | 20 |
| owner3 | 70 | 50 |
我尝试将两个注释都放在一个查询中,但我似乎没有得到正确的结果,资产和位置的计数都是相同的,或者我得到了非常大的数字,因为两者都计数操作互相影响。
以下查询为我提供了相同的资产和位置编号
queryset = Owner.objects.all().annotate(assets=Count('asset'), locations=Count('location'))
或
以下查询为我提供了大量资产和位置信息
queryset = Owner.objects.all().annotate(assets=Count('asset')).annotate(locations=Count('location'))
我可以直接使用SQL来执行此操作,但我希望不要沿着那条路走。
答案 0 :(得分:0)
感谢奈良,我尝试对您提出的建议进行不同的排列,最终使之奏效。
queryset = Owner.objects.all().annotate(assets=Count('asset', distinct=True), locations=Count('location', distinct=True))
这是Django shell中的外观。
>>> from inventory.models import *
>>> from django.db.models import Count
>>> queryset = Owner.objects.all().annotate(assets=Count('asset', distinct=True), locations=Count('location', distinct=True))
>>> vars(queryset[0])
{'_state': <django.db.models.base.ModelState object at 0x0427B230>, 'id': 1, 'name': 'Owner 1', 'assets': 5, 'locations': 4}
>>> vars(queryset[1])
{'_state': <django.db.models.base.ModelState object at 0x0427B2D0>, 'id': 2, 'name': 'Owner 2', 'assets': 3, 'locations': 4}
>>> vars(queryset[2])
{'_state': <django.db.models.base.ModelState object at 0x0427B4D0>, 'id': 3, 'name': 'Owner 3', 'assets': 2, 'locations': 6}
您会看到,这给了我资产和位置计数。