73 lines
2.9 KiB
Python
73 lines
2.9 KiB
Python
"""
|
|
Utility functions for validating forms
|
|
"""
|
|
from django import forms
|
|
from django.contrib.auth.models import User
|
|
from django.contrib.auth.forms import PasswordResetForm
|
|
from django.contrib.auth.hashers import UNUSABLE_PASSWORD
|
|
from django.contrib.auth.tokens import default_token_generator
|
|
|
|
from django.utils.http import int_to_base36
|
|
from django.template import loader
|
|
|
|
from django.conf import settings
|
|
from microsite_configuration import microsite
|
|
|
|
|
|
class PasswordResetFormNoActive(PasswordResetForm):
|
|
def clean_email(self):
|
|
"""
|
|
This is a literal copy from Django 1.4.5's django.contrib.auth.forms.PasswordResetForm
|
|
Except removing the requirement of active users
|
|
Validates that a user exists with the given email address.
|
|
"""
|
|
email = self.cleaned_data["email"]
|
|
#The line below contains the only change, removing is_active=True
|
|
self.users_cache = User.objects.filter(email__iexact=email)
|
|
if not len(self.users_cache):
|
|
raise forms.ValidationError(self.error_messages['unknown'])
|
|
if any((user.password == UNUSABLE_PASSWORD)
|
|
for user in self.users_cache):
|
|
raise forms.ValidationError(self.error_messages['unusable'])
|
|
return email
|
|
|
|
def save(
|
|
self,
|
|
domain_override=None,
|
|
subject_template_name='registration/password_reset_subject.txt',
|
|
email_template_name='registration/password_reset_email.html',
|
|
use_https=False,
|
|
token_generator=default_token_generator,
|
|
from_email=settings.DEFAULT_FROM_EMAIL,
|
|
request=None
|
|
):
|
|
"""
|
|
Generates a one-use only link for resetting password and sends to the
|
|
user.
|
|
"""
|
|
# This import is here because we are copying and modifying the .save from Django 1.4.5's
|
|
# django.contrib.auth.forms.PasswordResetForm directly, which has this import in this place.
|
|
from django.core.mail import send_mail
|
|
for user in self.users_cache:
|
|
if not domain_override:
|
|
site_name = microsite.get_value(
|
|
'SITE_NAME',
|
|
settings.SITE_NAME
|
|
)
|
|
else:
|
|
site_name = domain_override
|
|
context = {
|
|
'email': user.email,
|
|
'site_name': site_name,
|
|
'uid': int_to_base36(user.id),
|
|
'user': user,
|
|
'token': token_generator.make_token(user),
|
|
'protocol': 'https' if use_https else 'http',
|
|
'platform_name': microsite.get_value('platform_name', settings.PLATFORM_NAME)
|
|
}
|
|
subject = loader.render_to_string(subject_template_name, context)
|
|
# Email subject *must not* contain newlines
|
|
subject = subject.replace('\n', '')
|
|
email = loader.render_to_string(email_template_name, context)
|
|
send_mail(subject, email, from_email, [user.email])
|