我的目标:获取模板中每月显示的项目计数,即:2021年5月- 5日,2021年6月- 10日,2021年9月- 3日,2021年10月- 2等
我做了什么我首先创建了一个测试项目和我的索引视图继承自CreateView(需要一个表单)。一切都很好。然而,在我的主要项目中,我的IndexView继承自django的TemplateView,并使用相同的代码显示如下:2021年9月- 1,2021年9月- 1,2021年10月- 1,2021年10月- 1,2021年10月- 1,2021年10月- 1…你懂的。因此,出于某种原因,它将每个条目视为一个单独的日期,而不尝试将它们聚合在一起。
所以差异制造者必须是从django中不同视图的继承,然而,在我的主要项目中,我不能让我的索引视图从CreateView继承。另外,我仍然是Django的新手,我真的很感激所有的帮助,我可以得到。我花了很多努力弄明白到这一点。
这是我的工作代码(在测试项目):
models.py
class Movie(models.Model):
title = models.CharField('Movie name', max_length=100)
gross = models.IntegerField('Gross', help_text='Worldwide, in dollars.')
release_date = models.DateField('Date of release', blank=True, null=True)
def __str__(self):
return self.title
views.py(注意上下文['per_month']行)
class IndexView(CreateView):
form_class = CreateMovieForm
template_name = 'home/index.html'
success_url = '/'
def get_context_data(self, **kwargs):
context = super().get_context_data(**kwargs)
# per_month = queryset of dictionaries: month + number of movies in each month
context['per_month'] = Movie.objects.annotate(
month=TruncMonth('release_date')).values('month').annotate(c=Count('id')).values('month', 'c')
context['movies'] = Movie.objects.all()
return context
forms.py(不确定是否与此相关,但以防万一)
class CreateMovieForm(forms.ModelForm):
class Meta:
model = Movie
fields = '__all__'
widgets = {'release_date': DateInput(attrs={'value': timezone.now().date})}
index . html
{% for month in per_month %}
<ul>
<li>
{{ month.month|date:"M Y" }} - {{ month.c }}
</li>
</ul>
{% endfor %}
输出:
Aug 2021 - 22021年9月- 1日2021年10月- 3
这里是我的不工作代码(主项目):
models.py
class Item(models.Model):
title = models.CharField(max_length=200)
author = models.ForeignKey(User, on_delete=models.CASCADE)
assigned_to = models.ManyToManyField(User)
date_posted = models.DateTimeField(auto_now_add=True)
deadline_date = models.DateField(null=True)
注意:我尝试了:date_posts和deadline_date(如果问题是DatetimeField,而不是DateField),但它没有帮助。
views.py(相同的上下文['per_month']行)
class IndexView(LoginRequiredMixin, TemplateView):
template_name = 'bugtracker/main.html'
def get_context_data(self, **kwargs):
context = super().get_context_data(**kwargs)
# per_month = queryset of dictionaries: month + number of movies in each month
context['per_month'] = Item.objects.annotate(
month=TruncMonth('date_posted')).values('month').annotate(c=Count('id')).values('month', 'c')
index . html(同上)
输出:
Aug 2021 -12021年8月2021年10月- 1日2021年10月- 1日2021年10月- 1日2021年10月- 1
你应该添加一个.order_by(…)
来强制分组,所以:
context['per_month'] = Item.objects.values(
month=TruncMonth('date_posted')
).annotate(c=Count('id')).order_by('month')