들어가기 전에. Django2. 를 참고해야 한다.
1. form 의 처리
a. choice_set.all()
fk로 역인 choice테이블의 레코드의 모든것 을 받아온다.
polls/detail.html
1
2
3
4
5
6
7
8
9
10
11
12
|
<h1>{{ question.question_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><br />
{% endfor %}
<input type="submit" value="Vote" />
</form>
|
cs |
5행의 action 속성을 보면. 'polls:vote' 라는 것을 볼수 있는데 이는 디렉토리상 프로젝트/polls/urls.py 에 정의되어 있는
app_name의 이름 : url 패턴 name 이다.
question_id 는 url패턴의 <int:question_id> 를 반영한 것이다.
즉 action = /polls/question_id>/vote/ 의 형식으로 구성된다.
view.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
from django.shortcuts import render, get_object_or_404
# Create your views here.
from polls.models import Question
def index(request):
latest_question_list = Question.objects.all().order_by('-pub_date')[5]
context = {'latest_question_list': latest_question_list}
return render(request, 'polls/index.html', context)
def detail(request, question_id):
question = get_object_or_404(Question, pk=question_id)
return render(request, 'polls/detail.html', {'question': question})
|
cs |
14행에서 get_object_or_404(모델 클래스, 검색조건) 을 사용했다. 만약 객체가 없으면 404예외를 띄운다.
검색조건에 맞는 리스트를 받아오는 get_list_or_404( )도 있다.
1
2
3
4
5
6
7
8
9
10
11
12
13
|
def vote(request, question_id):
question = get_object_or_404(Question, pk=question_id)
try:
selected_choice = question.choice_set.get(pk=request.POST['choice'])
except(KeyError, Choice.DoesNotExist):
return render(request, 'polls/detail.html', {
'question': question,
'error_message': "you didn't select a choice",
})
else:
selected_choice.votes += 1
selected_choice.save()
return HttpResponseRedirect(reverse('polls:results', args=(question_id,)))
|
cs |
4행 : 2행에서 구한 question 객체에서 choice_set.get 으로 choice 객체를 가져온다.
request.POST['choice'] 에서 choice는 detail.html의 8행에 있는 name의 이름.
5~9 행: KeyError 는 choice라는 key 가 없을때 발생하는 에러
13행 : redirect는 reverse() 로 리다이렉트 타겟 url 을 만든다.
최종적으로 HttpResponseRedirect 객체를 리턴한다.
13행: reverser(url, 스트링에 사용될 파라미터) : reverse('polls:results', args=(question_id,)
즉 app_name= polls 의 name=results 의 url 의 파라미터로 question_id 를 전달
2.
a. cleaned_data
cleaned_data 는 is_valid() 를 통과한 값을 딕셔너리 형태로 제공해준다. form.cleaned_data 이다.
'웹 > Django' 카테고리의 다른 글
aws 에 배포하기 (0) | 2021.06.14 |
---|---|
Django 5. 클래스 뷰 (0) | 2021.05.13 |
Django 2. 프로젝트 뼈대 만들기 (0) | 2021.05.10 |
django 1. 개발환경 구축하기 (0) | 2021.05.10 |
djando 0. 웹 클라이언트 라이브러리 (0) | 2021.05.09 |