mudança brusca na modelagem do banco, principalmente no que se remete a gerenciamento...
[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_palestrante(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'] and not cd['celular']:
74                 badattr['telefone_comercial'] = ['Algum número de telefone '
75                                                  'precisa ser informado']
76                 wrong = True
77
78             # don't save duplicated users...
79             try:
80                 User.objects.get(username=cd['nome_usuario'])
81                 badattr['nome_usuario'] = ['Este nome de usuário já existe!']
82                 wrong = True
83             except User.DoesNotExist:
84                 pass
85
86             if not wrong:
87                 group = Group.objects.get_or_create(name='palestrantes')[0]
88
89                 user = User(username=cd['nome_usuario'], email=cd['email'])
90                 user.set_password(cd['senha'])
91                 user.save()
92                 user.groups.add(group)
93
94                 p = Palestrante()
95                 p.usuario = user
96
97                 p.nome = cd['nome_completo']
98                 p.email = cd['email']
99                 p.telefone = cd['telefone']
100                 p.celular = cd['celular']
101                 p.rua = cd['rua']
102                 p.numero = cd['numero']
103                 p.bairro = cd['bairro']
104                 p.cidade = cd['cidade']
105                 p.uf = cd['uf']
106                 p.minicurriculo = cd['minicurriculo']
107                 p.save()
108
109                 for i in cd.get('area_interesse', []):
110                     p.area_interesse.add(i)
111
112                 c.update({'ok': 1})
113
114                 fakepost = request.POST.copy()
115                 fakepost['username'] = cd['nome_usuario']
116                 fakepost['password'] = cd['senha']
117
118                 manipulator = AuthenticationForm(request)
119                 errors = manipulator.get_validation_errors(fakepost)
120                 got_user = manipulator.get_user()
121                 login(request, got_user)
122     else:
123         form = CadastroPalestrante()
124     c.update({'form': form})
125     return build_response(request, 'cadastro.html', c)
126
127
128 @enable_login_form
129 def inscricao(request):
130     if request.POST:
131         form = Inscricao(request.POST)
132     else:
133         form = Inscricao()
134     return build_response(request, 'inscricao.html', {'form': form})
135
136
137 @login_required
138 @user_passes_test(lambda u:u.palestrante_set.count() == 1, login_url='/')
139 def submeter_trabalho(request):
140     c = {}
141     if request.POST:
142         form = SubmeterTrabalho(request.POST)
143         if form.is_valid():
144             cd = form.cleaned_data
145             p = Trabalho()
146             p.titulo = cd['titulo']
147             p.tipo = TipoTrabalho.objects.get(pk=cd['tipo'])
148             p.categoria = CategoriaTrabalho.objects.get(pk=cd['categoria'])
149             p.descricao_curta = cd['descricao_curta']
150             p.descricao_longa = cd['descricao_longa']
151             p.recursos = cd['recursos']
152             p.evento = Evento.objects.get(pk=1) # let the hammer play arround!
153             p.save()
154
155             logged_in = request.user.palestrante_set.get()
156             p.palestrante.add(logged_in)
157             for i in cd.get('outros_palestrantes', []):
158                 up = Palestrante.objects.get(pk=int(i))
159                 p.palestrante.add(up)
160             c.update({'ok': 1})
161     else:
162         form = SubmeterTrabalho()
163     c.update({'form': form})
164     return build_response(request, 'inscrever_palestra.html', c)
165
166
167 @login_required
168 @user_passes_test(lambda u:u.palestrante_set.count() == 1, login_url='/')
169 def meus_trabalhos(request):
170     try:
171         p = Palestrante.objects.get(usuario=request.user)
172     except Palestrante.DoesNotExist:
173         # não palestrante...
174         c = {'palestrante': 0}
175         return build_response(request, 'meus_trabalhos.html', c)
176
177     t = Trabalho.objects.filter(palestrante=p)
178     c = {'trabalhos': t, 'palestrante': 1}
179     return build_response(request, 'meus_trabalhos.html', c)
180
181
182 @enable_login_form
183 def chamada_trabalhos(request):
184     return build_response(request, 'chamada_trabalhos.html')