我试图过滤一个DateTimeField与日期比较。我的意思是:

MyObject.objects.filter(datetime_attr=datetime.date(2009,8,22))

我得到一个空的查询集列表作为答案,因为(我认为)我没有考虑时间,但我想要“任何时间”。

Django中有简单的方法来做这个吗?

我在datetime中设置了时间,不是00:00。


当前回答

你可以根据日期进行过滤,因为日期格式与django的日期格式相同。默认格式为“ISO YYYY-MM-DD”

target_date = "2009-08-22"
qs = MyObject.objects.filter(datetime_attr__date=target_date)

其他回答

这里有一篇很棒的博客文章介绍了这一点:比较Django ORM中的日期和日期时间

Django>1.7,<1.9的最佳解决方案是注册一个转换:

from django.db import models

class MySQLDatetimeDate(models.Transform):
    """
    This implements a custom SQL lookup when using `__date` with datetimes.
    To enable filtering on datetimes that fall on a given date, import
    this transform and register it with the DateTimeField.
    """
    lookup_name = 'date'

    def as_sql(self, compiler, connection):
        lhs, params = compiler.compile(self.lhs)
        return 'DATE({})'.format(lhs), params

    @property
    def output_field(self):
        return models.DateField()

然后你可以像这样在你的滤镜中使用它:

Foo.objects.filter(created_on__date=date)

EDIT

这个解决方案绝对依赖于后端。摘自文章:

当然,此实现依赖于具有DATE()函数的特定SQL风格。MySQL。SQLite也是如此。另一方面,我个人没有使用过PostgreSQL,但一些谷歌搜索让我相信它没有DATE()函数。因此,如此简单的实现似乎必然是后端依赖的。

person = Profile.objects.get(id=1)

tasks = Task.objects.filter(assigned_to=person, time_stamp__year=person.time_stamp.utcnow().year)

我所有的模型都有time_stamp,所以我使用person对象来获取当前年份

您可以在某些日期范围之间进行筛选

2016-01-01 00:00:00 <- > 2016-04-01 23:59:59.99999. 2016-01-01 00:00:00 <- > 2016-04-01 23:59:59.99999

User.objects.filter(date_joined__gte=datetime.combine(datetime.strptime('2016- 
01-01', '%Y-%d-%m'), datetime.min.time()), 
date_joined__lte=datetime.combine(datetime.strptime('2016-04-01', '%Y-%d-%m'), 
datetime.max.time())).count()

2016-01-01 00:00:00 <- > 2016-01-14 00:00:00. 2016-01-01 00:00:00 <- > 2016-01-14 00:00:00

User.objects.filter(date_joined__gte='2016-01-01', date_joined__lte='2016-1-14').count()
MyObject.objects.filter(datetime_attr__date=datetime.date(2009,8,22))

这产生了与使用__year, __month,和__day相同的结果,并且似乎对我有用:

YourModel.objects.filter(your_datetime_field__startswith=datetime.date(2009,8,22))