我希望能够列出用户添加的项目(它们被列为创建者)或项目已被批准。
所以我基本上需要选择:
item.creator = owner or item.moderated = False
我将如何在 Django 中执行此操作? (最好使用过滤器或查询集)。
有 Q
个对象允许进行复杂的查找。例子:
from django.db.models import Q
Item.objects.filter(Q(creator=owner) | Q(moderated=False))
您可以使用 |运算符直接组合查询集而不需要 Q 对象:
result = Item.objects.filter(item.creator = owner) | Item.objects.filter(item.moderated = False)
(编辑 - 我最初不确定这是否会导致额外的查询,但@spookylukey 指出惰性查询集评估会解决这个问题)
值得注意的是,可以添加 Q 表达式。
例如:
from django.db.models import Q
query = Q(first_name='mark')
query.add(Q(email='mark@test.com'), Q.OR)
query.add(Q(last_name='doe'), Q.AND)
queryset = User.objects.filter(query)
这最终会出现如下查询:
(first_name = 'mark' or email = 'mark@test.com') and last_name = 'doe'
这样就不需要处理或操作符、reduce 等。
query |= Q(email='mark@test.com')
更容易吗?
Q.OR
或 Q.AND
)作为参数提供给可能需要处理这两种情况的函数。
您想使过滤器动态化,那么您必须使用 Lambda
from django.db.models import Q
brands = ['ABC','DEF' , 'GHI']
queryset = Product.objects.filter(reduce(lambda x, y: x | y, [Q(brand=item) for item in brands]))
reduce(lambda x, y: x | y, [Q(brand=item) for item in brands])
相当于
Q(brand=brands[0]) | Q(brand=brands[1]) | Q(brand=brands[2]) | .....
from functools import reduce
。
operator.or_
而不是 lambda x, y: x | y
?
类似于较旧的答案,但更简单,没有 lambda ...
要使用 OR
过滤这两个条件:
Item.objects.filter(Q(field_a=123) | Q(field_b__in=(3, 4, 5, ))
要以编程方式获得相同的结果:
filter_kwargs = {
'field_a': 123,
'field_b__in': (3, 4, 5, ),
}
list_of_Q = [Q(**{key: val}) for key, val in filter_kwargs.items()]
Item.objects.filter(reduce(operator.or_, list_of_Q))
operator
在标准库中:import operator
来自文档字符串:
or_(a, b) -- 同 a |湾。
对于 Python3,reduce
不再是内置的,但仍在标准库中:from functools import reduce
附言
不要忘记确保 list_of_Q
不为空 - reduce()
会在空列表中阻塞,它至少需要一个元素。
有多种方法可以做到这一点。
1.直接使用管道|操作员。
from django.db.models import Q
Items.objects.filter(Q(field1=value) | Q(field2=value))
<强> 2。使用 __or__
方法。
Items.objects.filter(Q(field1=value).__or__(field2=value))
3. 通过更改默认操作。 (注意重置默认行为)
Q.default = Q.OR # Not recommended (Q.AND is default behaviour)
Items.objects.filter(Q(field1=value, field2=value))
Q.default = Q.AND # Reset after use.
<强> 4。通过使用 Q
类参数 _connector
。
logic = Q(field1=value, field2=value, field3=value, _connector=Q.OR)
Item.objects.filter(logic)
Q 实现的快照
class Q(tree.Node):
"""
Encapsulate filters as objects that can then be combined logically (using
`&` and `|`).
"""
# Connection types
AND = 'AND'
OR = 'OR'
default = AND
conditional = True
def __init__(self, *args, _connector=None, _negated=False, **kwargs):
super().__init__(children=[*args, *sorted(kwargs.items())], connector=_connector, negated=_negated)
def _combine(self, other, conn):
if not(isinstance(other, Q) or getattr(other, 'conditional', False) is True):
raise TypeError(other)
if not self:
return other.copy() if hasattr(other, 'copy') else copy.copy(other)
elif isinstance(other, Q) and not other:
_, args, kwargs = self.deconstruct()
return type(self)(*args, **kwargs)
obj = type(self)()
obj.connector = conn
obj.add(self, conn)
obj.add(other, conn)
return obj
def __or__(self, other):
return self._combine(other, self.OR)
def __and__(self, other):
return self._combine(other, self.AND)
.............
参考。 Q implementation
Item.objects.filter(field_name__startswith='yourkeyword')
for f in filters: Item.objects.filter(Q(creator=f1) | Q(creator=f2) | ...)
reduce(lambda q, f: q | Q(creator=f), filters, Q())
的东西来创建大 Q 对象。Item.objects.filter(creator__in=creators)
。|
来自哪里,它实际上是集合联合运算符。它也被用作(不在此处)按位或:stackoverflow.com/questions/5988665/pipe-character-in-python