我一直在关注Django入门教程(https://docs.djangoproject.com/en/1.8/intro/tutorial05/)
我决定进行一些修改以测试我的技能。
具体来说,我打算为 ResultsView 一般视图实现自定义 get_queryset 。
这样的事情:
# views.py
class ResultsView(generic.DetailView):
model = Question
template_name = 'polls/results.html'
def get_queryset(self):
'''
Make sure we are displaying results for choices which have 1+ votes
'''
return Question.objects.get ...
基本上我的目标是仅针对至少一票的选项返回问题选择。
所以我在Django的shell中试过这样的事情:
# Django shell
q = Question.objects.get(pk=1)
q.choice_set.filter(votes=1)
[<Choice: Not much>]
这里我得到pk = 1的问题,然后基于choice_set过滤(Choice模型,其fk指的是问题模型)。
我正在尝试弄清楚如何在我的 views.py 中实现这一点,以便它只返回问题的内容(即选择),以便选择1+票(即显示所有选项)有相关的投票但有0票的选择)。
为了完整性,这里是实际模板(polls / results.html):
<h1>{{ question.question_text }}</h1>
<ul>
{% for choice in question.choice_set.all %}
<li>{{ choice.choice_text }} -- {{ choice.votes }} vote{{ choice.votes|pluralize }}</li> {# pluralize used to automatically add "s" for values with 0 or 2+ choice.votes #}
{% endfor %}
</ul>
<a href="{% url 'polls:detail' question.id %}">Vote again?</a>
模型
# models.py
Class Question(models.Model):
question_text = models.CharField(max_length=200)
pub_date = models.DateTimeField('date published')
def __str__(self):
return self.question_text
def was_published_recently(self):
now = timezone.now()
return now - datetime.timedelta(days=1) <= self.pub_date <= now
class Choice(models.Model):
question = models.ForeignKey(Question)
choice_text = models.CharField(max_length=200)
votes = models.IntegerField(default=0)
def __str__(self):
return self.choice_text
答案 0 :(得分:1)
我认为__关系应该适合你。
这样的事可能吗?
def get_queryset(self):
return Question.objects.filter(choices__votes__gte=1)
编辑:
你实际上想要重载get_object。请在此处查看get()和get_object的定义:https://ccbv.co.uk/projects/Django/1.8/django.views.generic.detail/DetailView/
特别是:
pk = self.kwargs.get(self.pk_url_kwarg, None)
Choice.objects.filter(question__pk=pk, votes__gte=1)
你正在做的事情有点奇怪,因为细节视图通常适用于一个对象,但这应该有效。