1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
|
# -*- coding: utf-8 -*-
from __future__ import unicode_literals
from django.core.files.storage import default_storage
from django.core.paginator import Paginator, PageNotAnInteger, EmptyPage
from django.db.models.fields.files import FieldFile
from django.views.generic import FormView
from django.views.generic.base import TemplateView
from django.contrib import messages
from .forms import ContactForm, FilesForm
# http://yuji.wordpress.com/2013/01/30/django-form-field-in-initial-data-requires-a-fieldfile-instance/
class FakeField(object):
storage = default_storage
fieldfile = FieldFile(None, FakeField, 'dummy.txt')
class HomePageView(TemplateView):
template_name = 'demo/home.html'
def get_context_data(self, **kwargs):
context = super(HomePageView, self).get_context_data(**kwargs)
messages.info(self.request, 'This is a demo of a message.')
return context
class DefaultFormView(FormView):
template_name = 'demo/form.html'
form_class = ContactForm
class FormHorizontalView(FormView):
template_name = 'demo/form_horizontal.html'
form_class = ContactForm
class FormInlineView(FormView):
template_name = 'demo/form_inline.html'
form_class = ContactForm
class FormWithFilesView(FormView):
template_name = 'demo/form_with_files.html'
form_class = FilesForm
def get_context_data(self, **kwargs):
context = super(FormWithFilesView, self).get_context_data(**kwargs)
context['layout'] = self.request.GET.get('layout', 'vertical')
return context
def get_initial(self):
return {
'file4': fieldfile,
}
class PaginationView(TemplateView):
template_name = 'demo/pagination.html'
def get_context_data(self, **kwargs):
context = super(PaginationView, self).get_context_data(**kwargs)
lines = []
for i in range(10000):
lines.append('Line %s' % (i + 1))
paginator = Paginator(lines, 10)
page = self.request.GET.get('page')
try:
show_lines = paginator.page(page)
except PageNotAnInteger:
# If page is not an integer, deliver first page.
show_lines = paginator.page(1)
except EmptyPage:
# If page is out of range (e.g. 9999), deliver last page of results.
show_lines = paginator.page(paginator.num_pages)
context['lines'] = show_lines
return context
|