Django-由于外键模型的关系,如何在查询集中排除实例

时间:2020-07-18 13:43:59

标签: python django

如果有某些项目实例不在特定的项目列表内,我试图过滤“报价”模型中的实例。某些项目列表是从ProjectItem模型中检索的。模型结构如下,在代码之后,我将进一步解释。

models.py

class SalesProject(models.Model):
    sales_project_id = models.AutoField(primary_key=True)
    sales_project_name = models.CharField(max_length=100)

class ProjectItem(models.Model):
    project_item_id = models.AutoField(primary_key=True)
    project = models.ForeignKey('SalesProject', related_name='items', on_delete=models.CASCADE)
    item = models.ForeignKey('Item', on_delete=models.CASCADE)
    remarks = models.TextField(max_length=1000)

class Quotation(models.Model):
    quotation_id = models.AutoField(primary_key=True)
    salesProject = models.ForeignKey(
        'SalesProject', related_name='quotations', on_delete=models.CASCADE, null=True, blank=True)
    details = models.TextField(max_length=1000, blank=True, null=True)

class QuotationItem(models.Model):
    quotation_item_id = models.AutoField(primary_key=True)
    item = models.ForeignKey('Item', on_delete=models.CASCADE, null=True, blank=True)
    quotation = models.ForeignKey('Quotation', on_delete=models.CASCADE, related_name='items', null=True, blank=True)
    remarks = models.TextField(max_length=1000)

class Item(models.Model):
    item_id = models.AutoField(primary_key=True)
    item_code = models.CharField(max_length=500, null=True, blank=True)
    item_description = models.TextField(max_length=1000, null=True, blank=True)

首先,我将通过查询当前的SalesProject获得Item实例的列表。 (其中project = SalesProject实例)

items = ProjectItem.objects.filter(project=project).values_list('item', flat=True)

基本上,此项目列表中的Item实例是各种“允许的项目”。我要返回的是在此列表内仅包含Item实例的所有Quotation实例(或排除此列表之外具有Item实例的任何Quotation实例)。报价与物料的关系是通过QuotationItem模型建立的。有什么办法吗?

谢谢大家的帮助,一定要引导我,并告诉我是否没有足够的信息。

1 个答案:

答案 0 :(得分:1)

您可以使用以下方法进行过滤:

Quotation.objects.filter(items__item__projectitem__project=project)

您可以利用.distinct()来确保只返回每个Quotation对象一次:

Quotation.objects.filter(items__item__projectitem__project=project).distinct()

如果您希望Quotation仅是 引用project,则可以使用.exclude(…),或者也许更简单一些,将{{ 1}} s:

Project

注意:您的from django.db.models import Count, Q Quotation.objects.annotate( nproject=Count('items__item__projectitem__project', distinct=True), nproject_project=Count( 'items__item__projectitem__project', distinct=True, filter=Q(items__item__projectitem__project=project) ), ).filter( nproject_project=1, nproject=1 ).distinct()模型基本上就像ManyToManyField [Django-doc] through 模型一样, 您可能想为此模型添加一个through=… parameter [Django-doc]QuotationItem。 这使得使用Django ORM查询这种关系更加方便。