我正在尝试过滤查询集,以排除没有文件的查询集。而且我无法让它工作,除非通过无数次迭代。
class Something(models.Model):
name = models.CharField(max_length=512)
file = models.FieldField(upload_to="files", null=True, blank=True)
然后,获取带有文件的那个
# this give me all objects
Something.objects.exclude(file__exact='')
# this is a valid solution, but hell, something easier should exist,
something_with_files = set()
for s in Something.objects.all():
if s.file:
something_with_files.add(s)
真正的解决方案是什么?
PS:在PostGres上工作,我不知道这是否可以在这一点上改变任何东西。
这里不需要精确:
Something.objects.exclude(file='')
我认为有更好的选择:
from django.db.models import Q
Something.objects.filter(~Q(file__isnull=True))
或
Something.objects.exclude(file__isnull=True)
这对我来说非常有效:
objects = MyModel.objects.exclude(
Q(file='')|Q(file=None)
)
https://books.agiliq.com/projects/django-orm-cookbook/en/latest/filefield.html
我认为我们可以使用以下方法直接过滤掉空值:
Something.objects.filter(file__isnull=False)
在筛选器中,可以给出多个值,但在排除子句中,不能提供多个值。 必须使用带有排除的链接。
有关 Django 过滤器和排除的更多详细信息,您可以参考此链接
您的字段允许空值,所以我想没有文件的字段为空,而不是空字符串。试试这个:
Something.objects.exclude(file=None)