Django(part4)

11749 단어 django
  • 간단한 폼:
    #polls/templates/polls/detail.html

    {{ question.question_text }}

    {% 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>
  • forloop.counter: for 순환 실행 횟수 표시
  • action= "{% url'polls:vote'question.id%}":post 데이터를 처리하는 url
  • 지정
  • {% csrf token%}: csrf 공격을 방지하는 tag로 모든post의form을 사용해야 합니다
  • post 처리 코드:
    #polls/urls.py
    
    url(r'^(?P<question_id>\d+)/vote/$', views.vote, name='vote'), #polls/views.py
    
    from django.shortcuts import get_object_or_404, render from django.http import HttpResponseRedirect, HttpResponse from django.core.urlresolvers import reverse from polls.models import Choice, Question # ...
    
    def vote(request, question_id): p = get_object_or_404(Question, pk=question_id) try: selected_choice = p.choice_set.get(pk=request.POST['choice']) except (KeyError, Choice.DoesNotExist): # Redisplay the question voting form.
    
            return render(request, 'polls/detail.html', { 'question': p, 'error_message': "You didn't select a choice.", }) else: selected_choice.votes += 1 selected_choice.save() # Always return an HttpResponseRedirect after successfully dealing
    
            # with POST data. This prevents data from being posted twice if a
    
            # user hits the Back button.
    
            return HttpResponseRedirect(reverse('polls:results', args=(p.id,)))

    # polls/view.py
    from  django.shortcuts import get_object_or_404, render
    
    
    
    def results(request, question_id):
    
        question = get_object_or_404(Question, pk=question_id)
    
        return render(request, 'polls/results.html', {'question': question})
  • request.POST: 폼의 값을 가져오는 데 사용되며, 같은 속성에 Request도 있습니다.GET
  • request.POST['choice']:choice는 키 값으로 존재하지 않을 때KeyError exception
  • 을 유발합니다
  • HttpResponseRedirect(): 매개 변수는 리디렉션된url\
  • reverse(): urlname을 사용하여 하드코드
  • 를 피하고 urlname을 되돌려줍니다.
  • Generic view:
    from django.shortcuts import get_object_or_404, render
    
    from django.http import HttpResponseRedirect
    
    from django.core.urlresolvers import reverse
    
    from django.views import generic
    
    
    
    from polls.models import Choice, Question
    
    
    
    class IndexView(generic.ListView):
    
        template_name = 'polls/index.html'
    
        context_object_name = 'latest_question_list'
    
    
    
        def get_queryset(self):
    
            """Return the last five published questions."""
    
            return Question.objects.order_by('-pub_date')[:5]
    
    
    
    
    
    class DetailView(generic.DetailView):
    
        model = Question
    
    #template_name   django     template name
    
    #        <app name>/<model name>_detail.html
    
        template_name = 'polls/detail.html'
    
    
    
    #polls/urls.py
    
    #     <pk>       
    
    urlpatterns = patterns('',
    
        url(r'^$', views.IndexView.as_view(), name='index'),
    
        url(r'^(?P<pk>\d+)/$', views.DetailView.as_view(), name='detail'),
    
      
    
    )

  • 정적 파일:django의 STATICFILESFINDERS setting에는 정적 파일을 찾는 방법을 아는 일련의 finder가 저장되어 있습니다.AppDirectoriesFinder 같은 경우에는 INSTALLEDAPPS에 포함된 app의 하위 디렉토리에서 static 디렉토리를 찾습니다.보통 다음과 같은 정적 파일을 저장합니다.polls/static/polls/style.css 또는polls/static/polls/images/background.gif, 이렇게 하면 AppDirectoriesFinder에서 찾을 수 있습니다. 경로의 두 번째 polls는 정적 파일의 이름 공간에 해당합니다.
    #polls/templates/polls/index.html
    
    {% load staticfiles %}
    
    <link rel="stylesheet" type="text/css" href="{% static 'polls/style.css' %}" />

  • How to packaging your app: 참조https://docs.djangoproject.com/en/1.7/intro/reusable-apps/
  •  
  • 좋은 웹페이지 즐겨찾기