remove has_signed_terms utility, introduce AstakosUser signed_terms function instead
[astakos] / snf-astakos-app / astakos / im / forms.py
1 # Copyright 2011-2012 GRNET S.A. All rights reserved.
2 #
3 # Redistribution and use in source and binary forms, with or
4 # without modification, are permitted provided that the following
5 # conditions are met:
6 #
7 #   1. Redistributions of source code must retain the above
8 #      copyright notice, this list of conditions and the following
9 #      disclaimer.
10 #
11 #   2. Redistributions in binary form must reproduce the above
12 #      copyright notice, this list of conditions and the following
13 #      disclaimer in the documentation and/or other materials
14 #      provided with the distribution.
15 #
16 # THIS SOFTWARE IS PROVIDED BY GRNET S.A. ``AS IS'' AND ANY EXPRESS
17 # OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
18 # WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
19 # PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL GRNET S.A OR
20 # CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21 # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22 # LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
23 # USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
24 # AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
25 # LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
26 # ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
27 # POSSIBILITY OF SUCH DAMAGE.
28 #
29 # The views and conclusions contained in the software and
30 # documentation are those of the authors and should not be
31 # interpreted as representing official policies, either expressed
32 # or implied, of GRNET S.A.
33 from urlparse import urljoin
34 from datetime import datetime
35
36 from django import forms
37 from django.utils.translation import ugettext as _
38 from django.contrib.auth.forms import UserCreationForm, AuthenticationForm, PasswordResetForm
39 from django.core.mail import send_mail
40 from django.contrib.auth.tokens import default_token_generator
41 from django.template import Context, loader
42 from django.utils.http import int_to_base36
43 from django.core.urlresolvers import reverse
44 from django.utils.functional import lazy
45 from django.utils.safestring import mark_safe
46 from django.contrib import messages
47
48 from astakos.im.models import AstakosUser, Invitation, get_latest_terms
49 from astakos.im.settings import INVITATIONS_PER_LEVEL, DEFAULT_FROM_EMAIL, SITENAME, RECAPTCHA_PRIVATE_KEY, DEFAULT_CONTACT_EMAIL, RECAPTCHA_ENABLED
50 from astakos.im.widgets import DummyWidget, RecaptchaWidget, ApprovalTermsWidget
51
52 # since Django 1.4 use django.core.urlresolvers.reverse_lazy instead
53 from astakos.im.util import reverse_lazy, reserved_email, get_query
54
55 import logging
56 import recaptcha.client.captcha as captcha
57
58 logger = logging.getLogger(__name__)
59
60 class LocalUserCreationForm(UserCreationForm):
61     """
62     Extends the built in UserCreationForm in several ways:
63
64     * Adds email, first_name, last_name, recaptcha_challenge_field, recaptcha_response_field field.
65     * The username field isn't visible and it is assigned a generated id.
66     * User created is not active.
67     """
68     recaptcha_challenge_field = forms.CharField(widget=DummyWidget)
69     recaptcha_response_field = forms.CharField(widget=RecaptchaWidget, label='')
70
71     class Meta:
72         model = AstakosUser
73         fields = ("email", "first_name", "last_name", "has_signed_terms")
74         widgets = {"has_signed_terms":ApprovalTermsWidget(terms_uri=reverse_lazy('latest_terms'))}
75
76     def __init__(self, *args, **kwargs):
77         """
78         Changes the order of fields, and removes the username field.
79         """
80         request = kwargs.get('request', None)
81         if request:
82             kwargs.pop('request')
83             self.ip = request.META.get('REMOTE_ADDR',
84                                        request.META.get('HTTP_X_REAL_IP', None))
85         
86         super(LocalUserCreationForm, self).__init__(*args, **kwargs)
87         self.fields.keyOrder = ['email', 'first_name', 'last_name',
88                                 'password1', 'password2']
89         if get_latest_terms():
90             self.fields.keyOrder.append('has_signed_terms')
91         if RECAPTCHA_ENABLED:
92             self.fields.keyOrder.extend(['recaptcha_challenge_field',
93                                          'recaptcha_response_field',])
94
95         if 'has_signed_terms' in self.fields:
96             # Overriding field label since we need to apply a link
97             # to the terms within the label
98             terms_link_html = '<a href="%s" target="_blank">%s</a>' \
99                     % (reverse('latest_terms'), _("the terms"))
100             self.fields['has_signed_terms'].label = \
101                     mark_safe("I agree with %s" % terms_link_html)
102
103     def clean_email(self):
104         email = self.cleaned_data['email']
105         if not email:
106             raise forms.ValidationError(_("This field is required"))
107         if reserved_email(email):
108             raise forms.ValidationError(_("This email is already used"))
109         return email
110
111     def clean_has_signed_terms(self):
112         has_signed_terms = self.cleaned_data['has_signed_terms']
113         if not has_signed_terms:
114             raise forms.ValidationError(_('You have to agree with the terms'))
115         return has_signed_terms
116
117     def clean_recaptcha_response_field(self):
118         if 'recaptcha_challenge_field' in self.cleaned_data:
119             self.validate_captcha()
120         return self.cleaned_data['recaptcha_response_field']
121
122     def clean_recaptcha_challenge_field(self):
123         if 'recaptcha_response_field' in self.cleaned_data:
124             self.validate_captcha()
125         return self.cleaned_data['recaptcha_challenge_field']
126
127     def validate_captcha(self):
128         rcf = self.cleaned_data['recaptcha_challenge_field']
129         rrf = self.cleaned_data['recaptcha_response_field']
130         check = captcha.submit(rcf, rrf, RECAPTCHA_PRIVATE_KEY, self.ip)
131         if not check.is_valid:
132             raise forms.ValidationError(_('You have not entered the correct words'))
133
134     def save(self, commit=True):
135         """
136         Saves the email, first_name and last_name properties, after the normal
137         save behavior is complete.
138         """
139         user = super(LocalUserCreationForm, self).save(commit=False)
140         user.renew_token()
141         if commit:
142             user.save()
143         logger.info('Created user %s', user)
144         return user
145
146 class InvitedLocalUserCreationForm(LocalUserCreationForm):
147     """
148     Extends the LocalUserCreationForm: adds an inviter readonly field.
149     """
150
151     inviter = forms.CharField(widget=forms.TextInput(), label=_('Inviter Real Name'))
152
153     class Meta:
154         model = AstakosUser
155         fields = ("email", "first_name", "last_name", "has_signed_terms")
156         widgets = {"has_signed_terms":ApprovalTermsWidget(terms_uri=reverse_lazy('latest_terms'))}
157
158     def __init__(self, *args, **kwargs):
159         """
160         Changes the order of fields, and removes the username field.
161         """
162         super(InvitedLocalUserCreationForm, self).__init__(*args, **kwargs)
163
164         #set readonly form fields
165         ro = ('inviter', 'email', 'username',)
166         for f in ro:
167             self.fields[f].widget.attrs['readonly'] = True
168         
169
170     def save(self, commit=True):
171         user = super(InvitedLocalUserCreationForm, self).save(commit=False)
172         level = user.invitation.inviter.level + 1
173         user.level = level
174         user.invitations = INVITATIONS_PER_LEVEL.get(level, 0)
175         user.email_verified = True
176         if commit:
177             user.save()
178         return user
179
180 class ThirdPartyUserCreationForm(forms.ModelForm):
181     class Meta:
182         model = AstakosUser
183         fields = ("email", "first_name", "last_name", "third_party_identifier")
184         widgets = {"has_signed_terms":ApprovalTermsWidget(terms_uri=reverse_lazy('latest_terms'))}
185     
186     def __init__(self, *args, **kwargs):
187         """
188         Changes the order of fields, and removes the username field.
189         """
190         self.request = kwargs.get('request', None)
191         if self.request:
192             kwargs.pop('request')
193         super(ThirdPartyUserCreationForm, self).__init__(*args, **kwargs)
194         self.fields.keyOrder = ['email', 'first_name', 'last_name', 'third_party_identifier']
195         if get_latest_terms():
196             self.fields.keyOrder.append('has_signed_terms')
197         #set readonly form fields
198         ro = ["third_party_identifier", "first_name", "last_name"]
199         for f in ro:
200             self.fields[f].widget.attrs['readonly'] = True
201         
202         if 'has_signed_terms' in self.fields:
203             # Overriding field label since we need to apply a link
204             # to the terms within the label
205             terms_link_html = '<a href="%s" target="_blank">%s</a>' \
206                     % (reverse('latest_terms'), _("the terms"))
207             self.fields['has_signed_terms'].label = \
208                     mark_safe("I agree with %s" % terms_link_html)
209     
210     def clean_email(self):
211         email = self.cleaned_data['email']
212         if not email:
213             raise forms.ValidationError(_("This field is required"))
214         return email
215     
216     def clean_has_signed_terms(self):
217         has_signed_terms = self.cleaned_data['has_signed_terms']
218         if not has_signed_terms:
219             raise forms.ValidationError(_('You have to agree with the terms'))
220         return has_signed_terms
221     
222     def save(self, commit=True):
223         user = super(ThirdPartyUserCreationForm, self).save(commit=False)
224         user.set_unusable_password()
225         user.renew_token()
226         user.provider = get_query(self.request).get('provider')
227         if commit:
228             user.save()
229         logger.info('Created user %s', user)
230         return user
231
232 class InvitedThirdPartyUserCreationForm(ThirdPartyUserCreationForm):
233     """
234     Extends the LocalUserCreationForm: adds an inviter readonly field.
235     """
236     inviter = forms.CharField(widget=forms.TextInput(), label=_('Inviter Real Name'))
237     
238     def __init__(self, *args, **kwargs):
239         """
240         Changes the order of fields, and removes the username field.
241         """
242         super(InvitedThirdPartyUserCreationForm, self).__init__(*args, **kwargs)
243
244         #set readonly form fields
245         ro = ('inviter', 'email',)
246         for f in ro:
247             self.fields[f].widget.attrs['readonly'] = True
248     
249     def save(self, commit=True):
250         user = super(InvitedThirdPartyUserCreationForm, self).save(commit=False)
251         level = user.invitation.inviter.level + 1
252         user.level = level
253         user.invitations = INVITATIONS_PER_LEVEL.get(level, 0)
254         user.email_verified = True
255         if commit:
256             user.save()
257         return user
258
259 class ShibbolethUserCreationForm(ThirdPartyUserCreationForm):
260     def clean_email(self):
261         email = self.cleaned_data['email']
262         for user in AstakosUser.objects.filter(email = email):
263             if user.provider == 'shibboleth':
264                 raise forms.ValidationError(_("This email is already associated with another shibboleth account."))
265         super(ShibbolethUserCreationForm, self).clean_email()
266         return email
267
268 class InvitedShibbolethUserCreationForm(ShibbolethUserCreationForm, InvitedThirdPartyUserCreationForm):
269     pass
270     
271 class LoginForm(AuthenticationForm):
272     username = forms.EmailField(label=_("Email"))
273     recaptcha_challenge_field = forms.CharField(widget=DummyWidget)
274     recaptcha_response_field = forms.CharField(widget=RecaptchaWidget, label='')
275     
276     def __init__(self, *args, **kwargs):
277         was_limited = kwargs.get('was_limited', False)
278         request = kwargs.get('request', None)
279         if request:
280             self.ip = request.META.get('REMOTE_ADDR',
281                                        request.META.get('HTTP_X_REAL_IP', None))
282         
283         t = ('request', 'was_limited')
284         for elem in t:
285             if elem in kwargs.keys():
286                 kwargs.pop(elem)
287         super(LoginForm, self).__init__(*args, **kwargs)
288         
289         self.fields.keyOrder = ['username', 'password']
290         if was_limited and RECAPTCHA_ENABLED:
291             self.fields.keyOrder.extend(['recaptcha_challenge_field',
292                                          'recaptcha_response_field',])
293     
294     def clean_recaptcha_response_field(self):
295         if 'recaptcha_challenge_field' in self.cleaned_data:
296             self.validate_captcha()
297         return self.cleaned_data['recaptcha_response_field']
298
299     def clean_recaptcha_challenge_field(self):
300         if 'recaptcha_response_field' in self.cleaned_data:
301             self.validate_captcha()
302         return self.cleaned_data['recaptcha_challenge_field']
303
304     def validate_captcha(self):
305         rcf = self.cleaned_data['recaptcha_challenge_field']
306         rrf = self.cleaned_data['recaptcha_response_field']
307         check = captcha.submit(rcf, rrf, RECAPTCHA_PRIVATE_KEY, self.ip)
308         if not check.is_valid:
309             raise forms.ValidationError(_('You have not entered the correct words'))
310
311 class ProfileForm(forms.ModelForm):
312     """
313     Subclass of ``ModelForm`` for permiting user to edit his/her profile.
314     Most of the fields are readonly since the user is not allowed to change them.
315
316     The class defines a save method which sets ``is_verified`` to True so as the user
317     during the next login will not to be redirected to profile page.
318     """
319     renew = forms.BooleanField(label='Renew token', required=False)
320
321     class Meta:
322         model = AstakosUser
323         fields = ('email', 'first_name', 'last_name', 'auth_token', 'auth_token_expires')
324
325     def __init__(self, *args, **kwargs):
326         super(ProfileForm, self).__init__(*args, **kwargs)
327         instance = getattr(self, 'instance', None)
328         ro_fields = ('email', 'auth_token', 'auth_token_expires')
329         if instance and instance.id:
330             for field in ro_fields:
331                 self.fields[field].widget.attrs['readonly'] = True
332
333     def save(self, commit=True):
334         user = super(ProfileForm, self).save(commit=False)
335         user.is_verified = True
336         if self.cleaned_data.get('renew'):
337             user.renew_token()
338         if commit:
339             user.save()
340         return user
341
342 class FeedbackForm(forms.Form):
343     """
344     Form for writing feedback.
345     """
346     feedback_msg = forms.CharField(widget=forms.Textarea, label=u'Message')
347     feedback_data = forms.CharField(widget=forms.HiddenInput(), label='',
348                                     required=False)
349
350 class SendInvitationForm(forms.Form):
351     """
352     Form for sending an invitations
353     """
354
355     email = forms.EmailField(required = True, label = 'Email address')
356     first_name = forms.EmailField(label = 'First name')
357     last_name = forms.EmailField(label = 'Last name')
358
359 class ExtendedPasswordResetForm(PasswordResetForm):
360     """
361     Extends PasswordResetForm by overriding save method:
362     passes a custom from_email in send_mail.
363
364     Since Django 1.3 this is useless since ``django.contrib.auth.views.reset_password``
365     accepts a from_email argument.
366     """
367     def clean_email(self):
368         email = super(ExtendedPasswordResetForm, self).clean_email()
369         try:
370             user = AstakosUser.objects.get(email=email, is_active=True)
371             if not user.has_usable_password():
372                 raise forms.ValidationError(_("This account has not a usable password."))
373         except AstakosUser.DoesNotExist, e:
374             raise forms.ValidationError(_('That e-mail address doesn\'t have an associated user account. Are you sure you\'ve registered?'))
375         return email
376     
377     def save(self, domain_override=None, email_template_name='registration/password_reset_email.html',
378              use_https=False, token_generator=default_token_generator, request=None):
379         """
380         Generates a one-use only link for resetting password and sends to the user.
381         """
382         for user in self.users_cache:
383             url = reverse('django.contrib.auth.views.password_reset_confirm',
384                           kwargs={'uidb36':int_to_base36(user.id),
385                                   'token':token_generator.make_token(user)})
386             url = request.build_absolute_uri(url)
387             t = loader.get_template(email_template_name)
388             c = {
389                 'email': user.email,
390                 'url': url,
391                 'site_name': SITENAME,
392                 'user': user,
393                 'baseurl': request.build_absolute_uri(),
394                 'support': DEFAULT_CONTACT_EMAIL
395             }
396             from_email = DEFAULT_FROM_EMAIL
397             send_mail(_("Password reset on %s alpha2 testing") % SITENAME,
398                 t.render(Context(c)), from_email, [user.email])
399
400 class SignApprovalTermsForm(forms.ModelForm):
401     class Meta:
402         model = AstakosUser
403         fields = ("has_signed_terms",)
404
405     def __init__(self, *args, **kwargs):
406         super(SignApprovalTermsForm, self).__init__(*args, **kwargs)
407
408     def clean_has_signed_terms(self):
409         has_signed_terms = self.cleaned_data['has_signed_terms']
410         if not has_signed_terms:
411             raise forms.ValidationError(_('You have to agree with the terms'))
412         return has_signed_terms
413
414 class InvitationForm(forms.ModelForm):
415     username = forms.EmailField(label=_("Email"))
416     
417     def __init__(self, *args, **kwargs):
418         super(InvitationForm, self).__init__(*args, **kwargs)
419     
420     class Meta:
421         model = Invitation
422         fields = ('username', 'realname')
423     
424     def clean_username(self):
425         username = self.cleaned_data['username']
426         try:
427             Invitation.objects.get(username = username)
428             raise forms.ValidationError(_('There is already invitation for this email.'))
429         except Invitation.DoesNotExist:
430             pass
431         return username