Statistics
| Branch: | Tag: | Revision:

root / snf-astakos-app / astakos / im / forms.py @ ca828a10

History | View | Annotate | Download (18.6 kB)

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
from django.utils.encoding import smart_str
48

    
49
from astakos.im.models import AstakosUser, Invitation, get_latest_terms, EmailChange
50
from astakos.im.settings import INVITATIONS_PER_LEVEL, DEFAULT_FROM_EMAIL, \
51
    BASEURL, SITENAME, RECAPTCHA_PRIVATE_KEY, DEFAULT_CONTACT_EMAIL, \
52
    RECAPTCHA_ENABLED, LOGGING_LEVEL
53
from astakos.im.widgets import DummyWidget, RecaptchaWidget
54
from astakos.im.functions import send_change_email
55

    
56
# since Django 1.4 use django.core.urlresolvers.reverse_lazy instead
57
from astakos.im.util import reverse_lazy, reserved_email, get_query
58

    
59
import logging
60
import hashlib
61
import recaptcha.client.captcha as captcha
62
from random import random
63

    
64
logger = logging.getLogger(__name__)
65

    
66
class LocalUserCreationForm(UserCreationForm):
67
    """
68
    Extends the built in UserCreationForm in several ways:
69

70
    * Adds email, first_name, last_name, recaptcha_challenge_field, recaptcha_response_field field.
71
    * The username field isn't visible and it is assigned a generated id.
72
    * User created is not active.
73
    """
74
    recaptcha_challenge_field = forms.CharField(widget=DummyWidget)
75
    recaptcha_response_field = forms.CharField(widget=RecaptchaWidget, label='')
76

    
77
    class Meta:
78
        model = AstakosUser
79
        fields = ("email", "first_name", "last_name", "has_signed_terms", "has_signed_terms")
80

    
81
    def __init__(self, *args, **kwargs):
82
        """
83
        Changes the order of fields, and removes the username field.
84
        """
85
        request = kwargs.get('request', None)
86
        if request:
87
            kwargs.pop('request')
88
            self.ip = request.META.get('REMOTE_ADDR',
89
                                       request.META.get('HTTP_X_REAL_IP', None))
90
        
91
        super(LocalUserCreationForm, self).__init__(*args, **kwargs)
92
        self.fields.keyOrder = ['email', 'first_name', 'last_name',
93
                                'password1', 'password2']
94
        if get_latest_terms():
95
            self.fields.keyOrder.append('has_signed_terms')
96
        if RECAPTCHA_ENABLED:
97
            self.fields.keyOrder.extend(['recaptcha_challenge_field',
98
                                         'recaptcha_response_field',])
99

    
100
        if 'has_signed_terms' in self.fields:
101
            # Overriding field label since we need to apply a link
102
            # to the terms within the label
103
            terms_link_html = '<a href="%s" target="_blank">%s</a>' \
104
                    % (reverse('latest_terms'), _("the terms"))
105
            self.fields['has_signed_terms'].label = \
106
                    mark_safe("I agree with %s" % terms_link_html)
107

    
108
    def clean_email(self):
109
        email = self.cleaned_data['email']
110
        if not email:
111
            raise forms.ValidationError(_("This field is required"))
112
        if reserved_email(email):
113
            raise forms.ValidationError(_("This email is already used"))
114
        return email
115

    
116
    def clean_has_signed_terms(self):
117
        has_signed_terms = self.cleaned_data['has_signed_terms']
118
        if not has_signed_terms:
119
            raise forms.ValidationError(_('You have to agree with the terms'))
120
        return has_signed_terms
121

    
122
    def clean_recaptcha_response_field(self):
123
        if 'recaptcha_challenge_field' in self.cleaned_data:
124
            self.validate_captcha()
125
        return self.cleaned_data['recaptcha_response_field']
126

    
127
    def clean_recaptcha_challenge_field(self):
128
        if 'recaptcha_response_field' in self.cleaned_data:
129
            self.validate_captcha()
130
        return self.cleaned_data['recaptcha_challenge_field']
131

    
132
    def validate_captcha(self):
133
        rcf = self.cleaned_data['recaptcha_challenge_field']
134
        rrf = self.cleaned_data['recaptcha_response_field']
135
        check = captcha.submit(rcf, rrf, RECAPTCHA_PRIVATE_KEY, self.ip)
136
        if not check.is_valid:
137
            raise forms.ValidationError(_('You have not entered the correct words'))
138

    
139
    def save(self, commit=True):
140
        """
141
        Saves the email, first_name and last_name properties, after the normal
142
        save behavior is complete.
143
        """
144
        user = super(LocalUserCreationForm, self).save(commit=False)
145
        user.renew_token()
146
        if commit:
147
            user.save()
148
            logger._log(LOGGING_LEVEL, 'Created user %s' % user.email, [])
149
        return user
150

    
151
class InvitedLocalUserCreationForm(LocalUserCreationForm):
152
    """
153
    Extends the LocalUserCreationForm: email is readonly.
154
    """
155
    class Meta:
156
        model = AstakosUser
157
        fields = ("email", "first_name", "last_name", "has_signed_terms")
158

    
159
    def __init__(self, *args, **kwargs):
160
        """
161
        Changes the order of fields, and removes the username field.
162
        """
163
        super(InvitedLocalUserCreationForm, self).__init__(*args, **kwargs)
164

    
165
        #set readonly form fields
166
        ro = ('email', 'username',)
167
        for f in ro:
168
            self.fields[f].widget.attrs['readonly'] = True
169
        
170

    
171
    def save(self, commit=True):
172
        user = super(InvitedLocalUserCreationForm, self).save(commit=False)
173
        level = user.invitation.inviter.level + 1
174
        user.level = level
175
        user.invitations = INVITATIONS_PER_LEVEL.get(level, 0)
176
        user.email_verified = True
177
        if commit:
178
            user.save()
179
        return user
180

    
181
class ThirdPartyUserCreationForm(forms.ModelForm):
182
    class Meta:
183
        model = AstakosUser
184
        fields = ("email", "first_name", "last_name", "third_party_identifier", "has_signed_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"]
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._log(LOGGING_LEVEL, 'Created user %s' % user.email, [])
230
        return user
231

    
232
class InvitedThirdPartyUserCreationForm(ThirdPartyUserCreationForm):
233
    """
234
    Extends the ThirdPartyUserCreationForm: email is readonly.
235
    """
236
    def __init__(self, *args, **kwargs):
237
        """
238
        Changes the order of fields, and removes the username field.
239
        """
240
        super(InvitedThirdPartyUserCreationForm, self).__init__(*args, **kwargs)
241

    
242
        #set readonly form fields
243
        ro = ('email',)
244
        for f in ro:
245
            self.fields[f].widget.attrs['readonly'] = True
246
    
247
    def save(self, commit=True):
248
        user = super(InvitedThirdPartyUserCreationForm, self).save(commit=False)
249
        level = user.invitation.inviter.level + 1
250
        user.level = level
251
        user.invitations = INVITATIONS_PER_LEVEL.get(level, 0)
252
        user.email_verified = True
253
        if commit:
254
            user.save()
255
        return user
256

    
257
class ShibbolethUserCreationForm(ThirdPartyUserCreationForm):
258
    additional_email = forms.CharField(widget=forms.HiddenInput(), label='', required = False)
259
    
260
    def __init__(self, *args, **kwargs):
261
        super(ShibbolethUserCreationForm, self).__init__(*args, **kwargs)
262
        self.fields.keyOrder.append('additional_email')
263
        # copy email value to additional_mail in case user will change it
264
        name = 'email'
265
        field = self.fields[name]
266
        self.initial['additional_email'] = self.initial.get(name, field.initial)
267
    
268
    def clean_email(self):
269
        email = self.cleaned_data['email']
270
        for user in AstakosUser.objects.filter(email = email):
271
            if user.provider == 'shibboleth':
272
                raise forms.ValidationError(_("This email is already associated with another shibboleth account."))
273
            elif not user.is_active:
274
                raise forms.ValidationError(_("This email is already associated with an inactive account. \
275
                                              You need to wait to be activated before being able to switch to a shibboleth account."))
276
        super(ShibbolethUserCreationForm, self).clean_email()
277
        return email
278

    
279
class InvitedShibbolethUserCreationForm(ShibbolethUserCreationForm, InvitedThirdPartyUserCreationForm):
280
    pass
281
    
282
class LoginForm(AuthenticationForm):
283
    username = forms.EmailField(label=_("Email"))
284
    recaptcha_challenge_field = forms.CharField(widget=DummyWidget)
285
    recaptcha_response_field = forms.CharField(widget=RecaptchaWidget, label='')
286
    
287
    def __init__(self, *args, **kwargs):
288
        was_limited = kwargs.get('was_limited', False)
289
        request = kwargs.get('request', None)
290
        if request:
291
            self.ip = request.META.get('REMOTE_ADDR',
292
                                       request.META.get('HTTP_X_REAL_IP', None))
293
        
294
        t = ('request', 'was_limited')
295
        for elem in t:
296
            if elem in kwargs.keys():
297
                kwargs.pop(elem)
298
        super(LoginForm, self).__init__(*args, **kwargs)
299
        
300
        self.fields.keyOrder = ['username', 'password']
301
        if was_limited and RECAPTCHA_ENABLED:
302
            self.fields.keyOrder.extend(['recaptcha_challenge_field',
303
                                         'recaptcha_response_field',])
304
    
305
    def clean_recaptcha_response_field(self):
306
        if 'recaptcha_challenge_field' in self.cleaned_data:
307
            self.validate_captcha()
308
        return self.cleaned_data['recaptcha_response_field']
309

    
310
    def clean_recaptcha_challenge_field(self):
311
        if 'recaptcha_response_field' in self.cleaned_data:
312
            self.validate_captcha()
313
        return self.cleaned_data['recaptcha_challenge_field']
314

    
315
    def validate_captcha(self):
316
        rcf = self.cleaned_data['recaptcha_challenge_field']
317
        rrf = self.cleaned_data['recaptcha_response_field']
318
        check = captcha.submit(rcf, rrf, RECAPTCHA_PRIVATE_KEY, self.ip)
319
        if not check.is_valid:
320
            raise forms.ValidationError(_('You have not entered the correct words'))
321

    
322
class ProfileForm(forms.ModelForm):
323
    """
324
    Subclass of ``ModelForm`` for permiting user to edit his/her profile.
325
    Most of the fields are readonly since the user is not allowed to change them.
326

327
    The class defines a save method which sets ``is_verified`` to True so as the user
328
    during the next login will not to be redirected to profile page.
329
    """
330
    renew = forms.BooleanField(label='Renew token', required=False)
331

    
332
    class Meta:
333
        model = AstakosUser
334
        fields = ('email', 'first_name', 'last_name', 'auth_token', 'auth_token_expires')
335

    
336
    def __init__(self, *args, **kwargs):
337
        super(ProfileForm, self).__init__(*args, **kwargs)
338
        instance = getattr(self, 'instance', None)
339
        ro_fields = ('email', 'auth_token', 'auth_token_expires')
340
        if instance and instance.id:
341
            for field in ro_fields:
342
                self.fields[field].widget.attrs['readonly'] = True
343

    
344
    def save(self, commit=True):
345
        user = super(ProfileForm, self).save(commit=False)
346
        user.is_verified = True
347
        if self.cleaned_data.get('renew'):
348
            user.renew_token()
349
        if commit:
350
            user.save()
351
        return user
352

    
353
class FeedbackForm(forms.Form):
354
    """
355
    Form for writing feedback.
356
    """
357
    feedback_msg = forms.CharField(widget=forms.Textarea, label=u'Message')
358
    feedback_data = forms.CharField(widget=forms.HiddenInput(), label='',
359
                                    required=False)
360

    
361
class SendInvitationForm(forms.Form):
362
    """
363
    Form for sending an invitations
364
    """
365

    
366
    email = forms.EmailField(required = True, label = 'Email address')
367
    first_name = forms.EmailField(label = 'First name')
368
    last_name = forms.EmailField(label = 'Last name')
369

    
370
class ExtendedPasswordResetForm(PasswordResetForm):
371
    """
372
    Extends PasswordResetForm by overriding save method:
373
    passes a custom from_email in send_mail.
374

375
    Since Django 1.3 this is useless since ``django.contrib.auth.views.reset_password``
376
    accepts a from_email argument.
377
    """
378
    def clean_email(self):
379
        email = super(ExtendedPasswordResetForm, self).clean_email()
380
        try:
381
            user = AstakosUser.objects.get(email=email, is_active=True)
382
            if not user.has_usable_password():
383
                raise forms.ValidationError(_("This account has not a usable password."))
384
        except AstakosUser.DoesNotExist, e:
385
            raise forms.ValidationError(_('That e-mail address doesn\'t have an associated user account. Are you sure you\'ve registered?'))
386
        return email
387
    
388
    def save(self, domain_override=None, email_template_name='registration/password_reset_email.html',
389
             use_https=False, token_generator=default_token_generator, request=None):
390
        """
391
        Generates a one-use only link for resetting password and sends to the user.
392
        """
393
        for user in self.users_cache:
394
            url = reverse('django.contrib.auth.views.password_reset_confirm',
395
                          kwargs={'uidb36':int_to_base36(user.id),
396
                                  'token':token_generator.make_token(user)})
397
            url = urljoin(BASEURL, url)
398
            t = loader.get_template(email_template_name)
399
            c = {
400
                'email': user.email,
401
                'url': url,
402
                'site_name': SITENAME,
403
                'user': user,
404
                'baseurl': BASEURL,
405
                'support': DEFAULT_CONTACT_EMAIL
406
            }
407
            from_email = DEFAULT_FROM_EMAIL
408
            send_mail(_("Password reset on %s alpha2 testing") % SITENAME,
409
                t.render(Context(c)), from_email, [user.email])
410

    
411
class EmailChangeForm(forms.ModelForm):
412
    class Meta:
413
        model = EmailChange
414
        fields = ('new_email_address',)
415
            
416
    def clean_new_email_address(self):
417
        addr = self.cleaned_data['new_email_address']
418
        if AstakosUser.objects.filter(email__iexact=addr):
419
            raise forms.ValidationError(_(u'This email address is already in use. Please supply a different email address.'))
420
        return addr
421
    
422
    def save(self, email_template_name, request, commit=True):
423
        ec = super(EmailChangeForm, self).save(commit=False)
424
        ec.user = request.user
425
        activation_key = hashlib.sha1(str(random()) + smart_str(ec.new_email_address))
426
        ec.activation_key=activation_key.hexdigest()
427
        if commit:
428
            ec.save()
429
        send_change_email(ec, request, email_template_name=email_template_name)
430

    
431
class SignApprovalTermsForm(forms.ModelForm):
432
    class Meta:
433
        model = AstakosUser
434
        fields = ("has_signed_terms",)
435

    
436
    def __init__(self, *args, **kwargs):
437
        super(SignApprovalTermsForm, self).__init__(*args, **kwargs)
438

    
439
    def clean_has_signed_terms(self):
440
        has_signed_terms = self.cleaned_data['has_signed_terms']
441
        if not has_signed_terms:
442
            raise forms.ValidationError(_('You have to agree with the terms'))
443
        return has_signed_terms
444

    
445
class InvitationForm(forms.ModelForm):
446
    username = forms.EmailField(label=_("Email"))
447
    
448
    def __init__(self, *args, **kwargs):
449
        super(InvitationForm, self).__init__(*args, **kwargs)
450
    
451
    class Meta:
452
        model = Invitation
453
        fields = ('username', 'realname')
454
    
455
    def clean_username(self):
456
        username = self.cleaned_data['username']
457
        try:
458
            Invitation.objects.get(username = username)
459
            raise forms.ValidationError(_('There is already invitation for this email.'))
460
        except Invitation.DoesNotExist:
461
            pass
462
        return username