如果仅与其父对象相关的子对象具有数据,我想过滤并仅获取与其相关对象数据相关的那些数据。例如: 我有以下型号:
class Collection(models.Model):
date_of_collection=models.DateField()
class Product(models.Model):
name=models.CharField(max_length=100)
collection = models.ForeignKey(Collection)
class Price(models.Model):
price = models.FloatField()
products = models.ForeignKey(Products, on_delete=models.CASCADE)
我的模型相关数据如下:
Collection:
+----+--------------------+
| id | date_of_collection |
+----+--------------------+
| 1 | 2019-01-17 |
| 2 | 2019-01-30 |
| 3 | 2019-02-01 |
| 4 | 2019-02-02 |
+----+--------------------+
Products:
+----+--------------------------------+
| id | name | collection |
+----+--------------------------------+
| 1 | product 1 | 3 |
| 2 | product 2 | 1 |
| 3 | product 3 | 1 |
| 4 | product 4 | 4 |
+----+--------------------------------+
Price:
| id | price | product |
+--------+------------------+-----------------------+
| 1 | 10.00 | 1 |
| 2 | 20.00 | 1 |
| 3 | 12.00 | 3 |
+--------+------------------+-----------------------+
在这里,我只与1
和3
产品相关的价格,因此我只希望那些基于查询集的产品,而我只希望根据特定的date_of_collection进行过滤。
我尝试了以下查询集:
collection_month = Collection.objects.filter(date_of_collection__month=2)
product = Product.objects.filter(collection_id__in=collection_month).exclude(price_set__price=None)
是我做的还是下一步的工作。它有时会给出不好的结果。我该怎么做。
答案 0 :(得分:1)
你很近。
您不应该将collection_id
与实际的收藏品进行比较-您可以通过collection__in=collection_month
。
您可以使用price
price__isnull=True
的产品
此查询将使用子查询(WHERE
):
collection_month = Collection.objects.filter(date_of_collection__month=2)
products = Product.objects.filter(collection__in=collection_month).exclude(price__isnull=True)
此查询将使用rumored to be faster的INNER JOIN
:
products = Product.objects.filter(collection__date_of_collection__month=2).exclude(price__isnull=True)