Allowing viewing and editing of talk for a co-speaker
[cascardo/ema.git] / eventos / views.py
1 # -*- coding: utf-8 -*-
2 # Copyright (C) 2008 Lincoln de Sousa <lincoln@minaslivre.org>
3 #
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License as
6 # published by the Free Software Foundation; either version 2 of the
7 # License, or (at your option) any later version.
8 #
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
12 # General Public License for more details.
13 #
14 # You should have received a copy of the GNU General Public
15 # License along with this program; if not, write to the
16 # Free Software Foundation, Inc., 59 Temple Place - Suite 330,
17 # Boston, MA 02111-1307, USA.
18 from django.conf import settings
19 from django.http import HttpResponseRedirect, HttpResponseForbidden
20 from django.contrib.auth import authenticate, login as login_django, \
21     logout as logout_django
22 from django.contrib.auth.models import User, Group
23 from django.forms import HiddenInput, ModelForm
24 from django.shortcuts import render_to_response, get_object_or_404
25 from django.template import RequestContext, Context, loader
26 from eventos.models import Palestrante, Trabalho, TipoTrabalho, Trilha, Evento
27 from eventos.forms import RegisterSpeaker
28 from django.db.models import Q
29
30 forbidden = \
31     HttpResponseForbidden('<h2>You are not allowed to do this action.<h2>')
32
33 class SpeakerForm(ModelForm):
34     class Meta:
35         model = Palestrante
36         exclude = ('usuario',)
37
38 class TalkForm(ModelForm):
39     class Meta:
40         model = Trabalho
41
42 def login(request):
43     """This is a function that will be used as a front-end to the
44     django's login system. It receives username and password fields
45     from a POST request and tries to login the user.
46
47     If login is successful, user will be redirected to the referer
48     address, otherwise will be redirected to /?login_failed.
49     """
50     username = request.POST['username']
51     password = request.POST['password']
52     user = authenticate(username=username, password=password)
53
54     if user is not None:
55         if user.is_active:
56             login_django(request, user)
57             try:
58                 request.session.delete_test_cookie()
59             except KeyError:
60                 pass
61             return HttpResponseRedirect('/')
62         else:
63             return HttpResponseRedirect('/?login_failed')
64     else:
65         return HttpResponseRedirect('/?login_failed')
66
67     request.session.set_test_cookie()
68     return HttpResponseRedirect(request.META.get('HTTP_REFERER', '/'))
69
70 def logout(request):
71     """Simple front-end to django's logout stuff. This function should
72     be mapped to an url and simply called without any parameter.
73     """
74     logout_django(request)
75     return HttpResponseRedirect('/')
76
77 def speaker_add(request):
78     """Adds a new speaker to the system.
79     """
80     uform = RegisterSpeaker(request.POST or None)
81
82     form = SpeakerForm(request.POST or None)
83
84     if request.POST and form.is_valid() and uform.is_valid():
85         cd = uform.cleaned_data
86         group = Group.objects.get_or_create(name='palestrantes')[0]
87
88         # creating the user that will be set as the user of the
89         # speaker.
90         user = User(username=cd['username'])
91         user.set_password(cd['password1'])
92         user.is_active = True
93         user.save()
94         user.groups.add(group)
95
96         # this commit=False is to avoid IntegritErrors, because at
97         # this point, the speaker doesn't have an user associated
98         # with it.
99         instance = form.save(commit=False)
100         instance.usuario = user
101         instance.save()
102         return HttpResponseRedirect('/')
103
104     c = {'form': form, 'uform': uform}
105     return render_to_response('eventos/speaker-add.html', Context(c),
106                               context_instance=RequestContext(request))
107
108 def speaker_details(request, lid):
109     """Shows a simple form containing all editable fields of a
110     speaker and gives the speaker the possibility to save them =)
111     """
112     if not hasattr(request.user, 'palestrante_set'):
113         return forbidden
114
115     entity = request.user.palestrante_set.get()
116     if entity.id != int(lid):
117         return forbidden
118
119     form = SpeakerForm(request.POST or None, instance=entity)
120
121     if request.POST and form.is_valid():
122         form.save()
123
124     c = {'form': form}
125     return render_to_response('eventos/speaker-details.html', Context(c),
126                               context_instance=RequestContext(request))
127
128 def speaker_talks(request, lid):
129     """Lists all talks of a speaker (based on speaker id -- lid
130     parameter).
131     """
132     if not hasattr(request.user, 'palestrante_set'):
133         return forbidden
134
135     entity = request.user.palestrante_set.get()
136     if entity.id != int(lid):
137         return forbidden
138
139     talks = Trabalho.objects.filter(
140         Q(palestrante=entity) | Q(outros_palestrantes=entity) )
141
142     c = {'speaker': entity, 'talks': talks}
143     return render_to_response('eventos/talk-list.html', Context(c),
144                               context_instance=RequestContext(request))
145
146 def talk_details(request, tid):
147     """Shows a form to edit a talk
148     """
149     # Selected in settings.py (SITE_ID) variable, because an event can
150     # be linked with only one site.
151     event = Evento.objects.get(site__id__exact=settings.SITE_ID)
152
153     # building the form
154     entity = get_object_or_404(Trabalho, pk=tid)
155     form = TalkForm(request.POST or None, instance=entity)
156
157     # These fields should not be shown to the user.
158     form.fields['palestrante'].widget = HiddenInput()
159     form.fields['evento'].widget = HiddenInput()
160
161     # These fields are event specific
162     trilhas = Trilha.objects.filter(evento=event)
163     form.fields['trilha']._set_queryset(trilhas)
164
165     tipos = TipoTrabalho.objects.filter(evento=event)
166     form.fields['tipo']._set_queryset(tipos)
167
168     # hidding the owner in the other speakers list
169     other = Palestrante.objects.exclude(pk=entity.id)
170     form.fields['outros_palestrantes']._set_queryset(other)
171     if other.count() == 0:
172         # I need set the value to '', otherwise the wise django
173         # newforms will fill the field with the invalid string '[]'
174         form.fields['outros_palestrantes'].initial = ''
175         form.fields['outros_palestrantes'].widget = HiddenInput()
176
177     if request.POST and form.is_valid():
178         form.save()
179
180     c = {'form': form}
181     return render_to_response('eventos/talk-details.html', Context(c),
182                               context_instance=RequestContext(request))
183
184 def talk_delete(request, tid):
185     """Drops a talk but only if the logged in user is its owner.
186     """
187     if not hasattr(request.user, 'palestrante_set'):
188         return forbidden
189
190     entity = request.user.palestrante_set.get()
191     talk = Trabalho.objects.filter(pk=tid, palestrante=entity)
192     if not talk:
193         return forbidden
194
195     talk.delete()
196     return HttpResponseRedirect('/speaker/%d/talks/' % entity.id)
197
198 def talk_add(request):
199     """Shows a form to the speaker send a talk
200     """
201     if not hasattr(request.user, 'palestrante_set'):
202         return forbidden
203
204     # building the form
205     form = TalkForm(request.POST or None)
206
207     # These fields should not be shown to the user.
208
209     # Selected in settings.py (SITE_ID) variable, because an event can
210     # be linked with only one site.
211     entity = request.user.palestrante_set.get()
212     form.fields['palestrante'].widget = HiddenInput(attrs={'value' : entity.id})
213
214     event = Evento.objects.get(site__id__exact=settings.SITE_ID)
215     form.fields['evento'].widget = HiddenInput(attrs={'value' : event.id})
216
217     # These fields are event specific
218     trilhas = Trilha.objects.filter(evento=event)
219     form.fields['trilha']._set_queryset(trilhas)
220
221     tipos = TipoTrabalho.objects.filter(evento=event)
222     form.fields['tipo']._set_queryset(tipos)
223
224     # hidding the owner in the other speakers list
225     other = Palestrante.objects.exclude(pk=entity.id)
226     form.fields['outros_palestrantes']._set_queryset(other)
227     if other.count() == 0:
228         form.fields['outros_palestrantes'].widget = HiddenInput()
229
230     if request.POST and form.is_valid():
231         # validation
232         cleaned = form.cleaned_data
233         if cleaned['tipo'].evento.id != event.id:
234             return forbidden
235
236         if cleaned['trilha'].evento.id != event.id:
237             return forbidden
238
239         instance = form.save()
240         return HttpResponseRedirect('/speaker/%d/talks/' % entity.id)
241
242     c = {'form': form}
243     return render_to_response('eventos/talk-add.html', Context(c),
244                               context_instance=RequestContext(request))