寫一個簡單的表單
為了在投票系統(tǒng)的詳細(xì)頁面中加入表單元素<form>信轿,我們需要更新頁面的模板迄埃。
polls/templates/polls/detail.html
<h1>{{ question.quesiton_text }}</h1>
{ % if error_message % }
<p><strong>{{ error_message }}</strong></p>
{% endif %}
<form action="{ % url "polls:vote" question.id %}" method="post">
{% csrf_token %}
{% for choice in question.choice_set.all %}
<input type="radio" name="choice" id="choice{{ forloop.counter }} value="{{ choice.id }}"/>
<label for="choice{{ forloop.counter }}">{{ choice.choice_text }}</label>
{% endfor %}
<input type="submit" value="vote"/>
</form>
一份簡單的解釋:
- 上面的模板包含了一個問題的單選表單章贞。每個單選按鈕的值是問題的選項id瞎惫。每個單選按鈕的名字都是"choice"盐股。當(dāng)有人選中了一個按鈕并提交表單時驮审,會發(fā)送POST數(shù)據(jù)choice=#(#表示選擇的選項id)鲫寄。
- 我們設(shè)置表單的action為{% url "polls:vote" question.id %},method="post"疯淫。使用method="post"很重要地来,因為提交表單的動作會改變服務(wù)端的數(shù)據(jù)。當(dāng)你創(chuàng)建了一個會改變服務(wù)端數(shù)據(jù)的表單時熙掺,一定要使用method="post"未斑。
- forloop.counter表示for標(biāo)簽已經(jīng)循環(huán)的次數(shù)。
- 因為創(chuàng)建了一個POST表單币绩,我們需要擔(dān)心跨站請求偽造的攻擊(簡稱為CSRF蜡秽,全稱Cross Site Request Forgeries)府阀。Django使用{% csrf_token %}標(biāo)簽來保護(hù)服務(wù)器不受CSRF的攻擊。很好用芽突,不是嗎试浙?
現(xiàn)在,我們將創(chuàng)建一個Django視圖函數(shù)來處理提交的數(shù)據(jù)寞蚌,并使用這些數(shù)據(jù)完成一些功能田巴。記的嗎,在教程三里挟秤,我們?yōu)橥镀毕到y(tǒng)創(chuàng)建了一個URL清單壹哺?
polls/urls.py
url(r'^(?P<question_id>[0-9]+)/vote/$', views.vote, name='vote'),
在上個教程中我們創(chuàng)建了一個沒有實現(xiàn)投票功能的vote()函數(shù),但是下面將實現(xiàn)該功能:
polls/views.py
from django.shortcuts import render,
get_object_or_404
from django.http import HttpResponse, HttpResponseRedirect
from django.urls import reverse
from .models import Choice, Question
def vote(request, question_id):
question = Question.objects.get(pk=question_id)
try:
selected_choice = question.choice_set.get(pk=request.POST['choice'])
except (KeyError, Choice.DoesNotExist):
return render(request, 'polls:vote', {'question': question, 'error_message': 'oh, did not choose a radio.'})