我正在将Django 1.10.5
与python 3.6
结合使用。
我有以下模型类:
class PublishedRecordedActivity(models.Model):
published_details = models.ForeignKey(PublishedDetails, null=True, blank=True, on_delete=models.CASCADE)
timestamp_added = models.DateTimeField(auto_now_add=True)
activity_type = models.IntegerField(null=False, blank=False, default=1)
我想计算当月以及过去6个月中每种活动类型(1、2、3或4)的记录数。
例如,计算整个当月(2019年4月)的计数。
一个月前(2019年3月整个月)的计数。
两个月前(2019年2月整个月)的计数,等等。
我可以编写计数查询,但是我不确定如何为每个月添加过滤器。
这是我的查询:
test_count = PublishedRecordedActivity.objects.filter(activity_type=1).count
答案 0 :(得分:1)
最初,找出要过滤的月份。为此,请使用relativedelta
软件包中的dateutil函数
In [33]: from datetime import datetime
In [34]: from dateutil.relativedelta import relativedelta
In [35]: months_before = 6
In [36]: now = datetime.utcnow()
In [37]: now
Out[37]: datetime.datetime(2019, 4, 8, 5, 6, 42, 300424)
In [38]: from_datetime = now - relativedelta(months=months_before)
In [39]: from_datetime
Out[39]: datetime.datetime(2018, 10, 8, 5, 6, 42, 300424)
In [40]: modified_from_datetime = from_datetime.replace(day=1, hour=0, minute=0, second=0, microsecond=0)
In [41]: modified_from_datetime
Out[41]: datetime.datetime(2018, 10, 1, 0, 0)
然后将过滤器中的 modified_from_datetime
变量与gte
一起使用,
PublishedRecordedActivity.objects.filter(activity_type=1, timestamp_added__gte=modified_from_datetime)
from datetime import datetime
from dateutil.relativedelta import relativedelta
months_before = 6
now = datetime.utcnow()
from_datetime = now - relativedelta(months=months_before)
modified_from_datetime = from_datetime.replace(day=1, hour=0, minute=0, second=0, microsecond=0)
PublishedRecordedActivity.objects.filter(activity_type=1, timestamp_added__gte=modified_from_datetime)
将分组依据用作,
from django.db.models.functions import TruncMonth
from django.db.models.aggregates import Count
aggregated = PublishedRecordedActivity.objects.filter(
activity_type=1).annotate(month=TruncMonth('timestamp_added')).values('month').annotate(sum_by_month=Count('month'))
答案 1 :(得分:0)
您可以使用Django的annotate
和TruncMonth
和Count
数据库函数获取每月的汇总值。用法示例如下所示:
即
from django.db.models.functions import TruncMonth
aggregated = PublishedRecordedActivity.objects.filter(activity_type=1).annotate(month=TruncMonth('timestamp_added').values('month').annotate(sum_by_month=Count('id'))
这将为您提供特定活动类型的每月汇总计数。您可以在timestamp_added
字段中添加其他过滤器应用时间范围。
如果您只想汇总过去6个月的数据,然后再进行汇总。
from datetime import date, timedelta
current_date = date.today()
months_ago = 6
six_month_previous_date = current_date - timedelta(days=(months_ago * 365 / 12))
aggregated = PublishedRecordedActivity.objects.filter(activity_type=1, timestamp_added__gte=six_month_previous_date).annotate(month=TruncMonth('timestamp_added').values('month').annotate(sum_by_month=Count('id'))
将
months_ago
替换为所需的月份
这将为您提供帮助。如果需要进一步的帮助,请在下面添加评论