419

我希望能够列出用户添加的项目(它们被列为创建者)或项目已被批准。

所以我基本上需要选择:

item.creator = owner or item.moderated = False

我将如何在 Django 中执行此操作?(最好使用过滤器或查询集)。

4

8 回答 8

741

有些Q对象允许进行复杂的查找。例子:

from django.db.models import Q

Item.objects.filter(Q(creator=owner) | Q(moderated=False))
于 2009-04-11T09:32:22.947 回答
159

您可以使用 | 运算符直接组合查询集而不需要 Q 对象:

result = Item.objects.filter(item.creator = owner) | Item.objects.filter(item.moderated = False)

(编辑 - 我最初不确定这是否会导致额外的查询,但@spookylukey 指出惰性查询集评估会解决这个问题)

于 2009-04-11T11:43:27.017 回答
68

值得注意的是,可以添加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 等。

于 2017-06-26T16:44:12.810 回答
38

您想使过滤器动态化,那么您必须使用 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]) | .....
于 2014-09-21T08:44:30.303 回答
27

类似于较旧的答案,但更简单,没有 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()会在空列表中窒息,它至少需要一个元素。

于 2015-03-26T14:26:36.113 回答
7

有多种方法可以做到这一点。

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 实现

于 2021-12-04T16:42:15.767 回答
1

这可能很有用https://docs.djangoproject.com/en/dev/topics/db/queries/#spanning-multi-valued-relationships

基本上听起来他们充当或

于 2016-01-26T12:42:48.997 回答
-2
Item.objects.filter(field_name__startswith='yourkeyword')
于 2021-03-14T06:25:20.687 回答