我有以下型号:
class Question(models.Model):
question = models.CharField(max_length=100)
class Option(models.Model):
question = models.ForeignKey(Question)
value = models.CharField(max_length=200)
class Answer(models.Model):
option = models.ForeignKey(Option)
每个Question
都有Options
由用户定义。例如:问题 - 什么是最好的水果?选项 - Apple,Orange,Grapes。现在,其他用户可以Answer
将问题的回复限制为Options
。
我有以下观点:
def detail(request, question_id):
q = Question.objects.select_related().get(id=question_id)
a = Answer.objects.filter(option__question=question_id)
o = Option.objects.filter(question=question_id).annotate(num_votes=Count('answer'))
return render(request, 'test.html', {
'q':q,
'a':a,
'o':o,
})
对于o中的每个选项,我都会收到答案计数。例如:
问题 - 什么是最好的水果?
选项 - 葡萄,橙,苹果
答案 - 葡萄:5票,橙色5票,Apple 10票。
从该问题的总投票数中计算每个选项的投票百分比的最佳方法是什么?
换句话说,我想要这样的事情:
答案 - 葡萄:5票25%票,Orange票5票25%票,Apple 10票50%票。
test.html
{% for opt in o %}
<tr>
<td>{{ opt }}</td>
<td>{{ opt.num_votes }}</td>
<td>PERCENT GOES hERE</td>
</tr>
{% endfor %}
<div>
{% for key, value in perc_dict.items %}
{{ value|floatformat:"0" }}%
{% endfor %}
</div>
答案 0 :(得分:2)
试试这个
total_count = Answer.objects.filter(option__question=question_id).count()
perc_dict = { }
for o in q.option_set.all():
cnt = Answer.objects.filter(option=o).count()
perc = cnt * 100 / total_count
perc_dict.update( {o.value: perc} )
#after this the perc_dict will have percentages for all options that you can pass to template.
更新:向查询集添加属性并不容易,并且在密钥为变量的模板中引用dicts也是不可能的。
因此解决方案是在Option
模型中添加方法/属性以获得百分比
class Option(models.Model):
question = models.ForeignKey(Question)
value = models.CharField(max_length=200)
def get_percentage(self):
total_count = Answer.objects.filter(option__question=self.question).count()
cnt = Answer.objects.filter(option=self).count()
perc = cnt * 100 / total_count
return perc
然后在模板中,您可以使用所有这些方法获得百分比
{% for opt in o %}
<tr>
<td>{{ opt }}</td>
<td>{{ opt.num_votes }}</td>
<td>{{ opt.get_percentage }}</td>
</tr>
{% endfor %}