fazendo com que outros_palestrantes e areas_interesse não sejam obrigatórios.
[cascardo/eventmanager.git] / views.py
1 # -*- coding: utf8; -*-
2 """
3 Copyright (C) 2007 Lincoln de Sousa <lincoln@archlinux-br.org>
4
5 This program is free software; you can redistribute it and/or
6 modify it under the terms of the GNU General Public License as
7 published by the Free Software Foundation; either version 2 of the
8 License, or (at your option) any later version.
9
10 This program is distributed in the hope that it will be useful,
11 but WITHOUT ANY WARRANTY; without even the implied warranty of
12 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
13 General Public License for more details.
14
15 You should have received a copy of the GNU General Public
16 License along with this program; if not, write to the
17 Free Software Foundation, Inc., 59 Temple Place - Suite 330,
18 Boston, MA 02111-1307, USA.
19 """
20 from django.shortcuts import render_to_response
21 from django.template import RequestContext, Context
22 from django.contrib.auth.decorators import login_required, user_passes_test
23 from django.contrib.auth.models import Group, User
24 from django.contrib.auth.forms import AuthenticationForm
25 from django.contrib.auth import login
26
27 from eventmanager.decorators import enable_login_form
28 from eventmanager.forms import *
29 from eventmanager.conteudo.models import Noticia, Menu, Secao
30 from eventmanager.eventos.models import *
31
32 def build_response(request, template, extra={}):
33     """
34     Shortcut to build a response based on a C{template} and build a standard
35     context to this template. This context contains news itens, a list of menus
36     and a list of sections to be shown on index. But don't worry, this context
37     is extensible through the C{extra} parameter.
38
39     @param template: Contains the name of a template found in django
40      C{TEMPLATE_DIRS}
41     @type template: C{str}
42
43     @param extra: Extra variables to be passed to the context being built.
44     @type extra: C{dict}
45     """
46     news = Noticia.objects.order_by('-data_criacao')
47     menus = Menu.objects.all()
48     index_sections = Secao.objects.filter(index=True)
49     c = {'news': news, 'menu': menus,
50         'index_sections': index_sections}
51     c.update(extra)
52     return render_to_response(template, Context(c),
53             context_instance=RequestContext(request))
54
55
56 @enable_login_form
57 def index(request):
58     return build_response(request, 'index.html')
59
60
61 @enable_login_form
62 def cadastro(request):
63     c = {}
64     if request.POST:
65         # django's newforms lib requires a new instance of a form to be bounded
66         # with data, to be validated and used.
67         form = CadastroPalestrante(request.POST)
68         if form.is_valid():
69             cd = form.cleaned_data
70             badattr = form.errors
71             wrong = False
72
73             if not cd['telefone_comercial'] and \
74                not cd['telefone_residencial'] and \
75                not cd['telefone_celular']:
76                 badattr['telefone_comercial'] = ['Algum número de telefone '
77                                                  'precisa ser informado']
78                 wrong = True
79
80             # don't save duplicated users...
81             try:
82                 User.objects.get(username=cd['nome_usuario'])
83                 badattr['nome_usuario'] = ['Este nome de usuário já existe!']
84                 wrong = True
85             except User.DoesNotExist:
86                 pass
87
88             if not wrong:
89                 group = Group.objects.get_or_create(name='palestrantes')[0]
90
91                 user = User(username=cd['nome_usuario'], email=cd['email'])
92                 user.set_password(cd['senha'])
93                 user.save()
94                 user.groups.add(group)
95
96                 p = Palestrante()
97                 p.usuario = user
98
99                 p.nome = cd['nome_completo']
100                 p.email = cd['email']
101                 p.telefone_comercial = cd['telefone_comercial']
102                 p.telefone_residencial = cd['telefone_residencial']
103                 p.telefone_celular = cd['telefone_celular']
104                 p.rua = cd['rua']
105                 p.numero = cd['numero']
106                 p.bairro = cd['bairro']
107                 p.cidade = cd['cidade']
108                 p.uf = cd['uf']
109                 p.minicurriculo = cd['minicurriculo']
110                 p.save()
111
112                 for i in cd.get('area_interesse', []):
113                     p.area_interesse.add(i)
114
115                 c.update({'ok': 1})
116
117                 fakepost = request.POST.copy()
118                 fakepost['username'] = cd['nome_usuario']
119                 fakepost['password'] = cd['senha']
120
121                 manipulator = AuthenticationForm(request)
122                 errors = manipulator.get_validation_errors(fakepost)
123                 got_user = manipulator.get_user()
124                 login(request, got_user)
125     else:
126         form = CadastroPalestrante()
127     c.update({'form': form})
128     return build_response(request, 'cadastro.html', c)
129
130
131 @enable_login_form
132 def inscricao(request):
133     if request.POST:
134         form = Inscricao(request.POST)
135     else:
136         form = Inscricao()
137     return build_response(request, 'inscricao.html', {'form': form})
138
139
140 @login_required
141 @user_passes_test(lambda u:u.palestrante_set.count() == 1, login_url='/')
142 def inscrever_palestra(request):
143     c = {}
144     if request.POST:
145         form = InscreverPalestra(request.POST)
146         if form.is_valid():
147             cd = form.cleaned_data
148             p = Palestra()
149             p.titulo = cd['titulo']
150             p.tema = cd['tema']
151             p.categoria = CategoriaPalestra.objects.get(pk=cd['categoria'])
152             p.descricao_curta = cd['descricao_curta']
153             p.descricao_longa = cd['descricao_longa']
154             p.evento = Evento.objects.get(pk=1) # let the hammer play arround!
155             p.save()
156
157             logged_in = request.user.palestrante_set.get()
158             p.palestrante.add(logged_in)
159             for i in cd.get('outros_palestrantes', []):
160                 up = Palestrante.objects.get(pk=int(i))
161                 p.palestrante.add(up)
162             c.update({'ok': 1})
163     else:
164         form = InscreverPalestra()
165     c.update({'form': form})
166     return build_response(request, 'inscrever_palestra.html', c)
167
168
169 @login_required
170 @user_passes_test(lambda u:u.palestrante_set.count() == 1, login_url='/')
171 def meus_trabalhos(request):
172     try:
173         p = Palestrante.objects.get(usuario=request.user)
174     except Palestrante.DoesNotExist:
175         # não palestrante...
176         c = {'palestrante': 0}
177         return build_response(request, 'meus_trabalhos.html', c)
178
179     palestras = Palestra.objects.filter(palestrante=p)
180     minicursos = MiniCurso.objects.filter()
181     c = {'palestras': palestras, 'minicursos': minicursos, 'palestrante': 1}
182     return build_response(request, 'meus_trabalhos.html', c)
183
184
185 @enable_login_form
186 def chamada_trabalhos(request):
187     return build_response(request, 'chamada_trabalhos.html')