算上对外关系的数量
class Category(models.Model):
name = models.CharField(max_length=20)
class Product(models.Model):
name = models.CharField(max_length=64)
category = models.ForeignKey(Category, on_delete=models.PROTECT)
获取每个类别的数字产品:
>>> categories = Category.objects.annotate(Count('product'))
这会将 <field_name>__count
属性添加到返回的每个实例中:
>>> categories.values_list('name', 'product__count')
[('Clothing', 42), ('Footwear', 12), ...]
你可以使用关键字参数为属性提供自定义名称:
>>> categories = Category.objects.annotate(num_products=Count('product'))
你可以在 querysets 中使用带注释的字段:
>>> categories.order_by('num_products')
[<Category: Footwear>, <Category: Clothing>]
>>> categories.filter(num_products__gt=20)
[<Category: Clothing>]