在Django ORM中使用“和”与使用“&”之间的区别

时间:2019-02-13 12:32:43

标签: python django django-orm

我有查询,当我使用

时显示不同的结果
criteria1 = Q(id__gte=802, id__lte=1000)
criteria2 = Q(country_id__contains='UK')

我一直都在使用:

q = Mymodel.objects.filter(criteria1 & criteria2)

但是在这种特殊情况下,当我使用时,它总是输出一行。 (我还检查了打印 q.query(),查询就可以了)

但是,当我使用而不是时。查询给出正确的输出

q = Mymodel.objects.filter(criteria1 and criteria2)

引擎盖下到底发生了什么?

2 个答案:

答案 0 :(得分:2)

正确的是criteria1 & criteria2criteria1 and criteria2使用标准的Python布尔逻辑,并将被评估为criteria2,而criteria1 & criteria2使用重载的__and__方法并构造正确的复合Q对象:

In [1]: from django.db.models import Q                                                                                                                                                                                                                                                                                                                        

In [2]: criteria1 = Q(id__gte=802, id__lte=1000)                                                                                                                                                                                                                                                                                                              

In [3]: criteria2 = Q(country_id__contains='UK')                                                                                                                                                                                                                                                                                                              

In [4]: criteria1 & criteria2                                                                                                                                                                                                                                                                                                                                 
Out[4]: <Q: (AND: ('id__gte', 802), ('id__lte', 1000), ('country_id__contains', 'UK'))>

In [5]: criteria1 and criteria2                                                                                                                                                                                                                                                                                                                               
Out[5]: <Q: (AND: ('country_id__contains', 'UK'))>

答案 1 :(得分:0)

Q对象定义魔术方法__or____and__。这些函数允许&数学和|操作被覆盖。选中this document

如果您想了解and&之间的区别,请参见this question

这是Q object code。您可以找到以下代码。

class Q(tree.Node):
    def __or__(self, other):
        return self._combine(other, self.OR)

    def __and__(self, other):
        return self._combine(other, self.AND)