Django 自定义用户电子邮件帐户验证
Posted
技术标签:
【中文标题】Django 自定义用户电子邮件帐户验证【英文标题】:Django Custom User Email Account Verification 【发布时间】:2014-09-16 02:24:50 【问题描述】:我希望在 Django 中添加电子邮件帐户验证。我曾尝试使用 django-registration 应用程序来执行此操作,但它似乎没有更新为与自定义用户模型完全兼容,这会导致太多问题。是否有另一个可靠且有据可查的应用程序允许我在 django 中发送有关用户注册的验证电子邮件?
【问题讨论】:
您如何实际处理新用户的注册?是自定义表格吗?如果是这样,您可以覆盖 save 方法来发送您的电子邮件(将用户创建为非活动用户,生成一个您将在电子邮件中发送的链接,当转到此链接时,激活用户) 是的,我正在使用自定义 UserCreationForm 来创建用户。那么在那个保存方法中,在user = super(UserCreationForm, self).save(commit=False)
之后,我应该设置user.is_active = False
,然后发送一封带有确认码的电子邮件,并且没有任何插件可以简单地完成吗?
【参考方案1】:
我如何亲自处理电子邮件注册:
首先,我的个人资料扩展了 Django 用户 (models.py
):
class Profile(models.Model):
user = models.OneToOneField(User, related_name='profile') #1 to 1 link with Django User
activation_key = models.CharField(max_length=40)
key_expires = models.DateTimeField()
在forms.py
,注册类:
class RegistrationForm(forms.Form):
username = forms.CharField(label="",widget=forms.TextInput(attrs='placeholder': 'Nom d\'utilisateur','class':'form-control input-perso'),max_length=30,min_length=3,validators=[isValidUsername, validators.validate_slug])
email = forms.EmailField(label="",widget=forms.EmailInput(attrs='placeholder': 'Email','class':'form-control input-perso'),max_length=100,error_messages='invalid': ("Email invalide."),validators=[isValidEmail])
password1 = forms.CharField(label="",max_length=50,min_length=6,
widget=forms.PasswordInput(attrs='placeholder': 'Mot de passe','class':'form-control input-perso'))
password2 = forms.CharField(label="",max_length=50,min_length=6,
widget=forms.PasswordInput(attrs='placeholder': 'Confirmer mot de passe','class':'form-control input-perso'))
#recaptcha = ReCaptchaField()
#Override clean method to check password match
def clean(self):
password1 = self.cleaned_data.get('password1')
password2 = self.cleaned_data.get('password2')
if password1 and password1 != password2:
self._errors['password2'] = ErrorList([u"Le mot de passe ne correspond pas."])
return self.cleaned_data
#Override of save method for saving both User and Profile objects
def save(self, datas):
u = User.objects.create_user(datas['username'],
datas['email'],
datas['password1'])
u.is_active = False
u.save()
profile=Profile()
profile.user=u
profile.activation_key=datas['activation_key']
profile.key_expires=datetime.datetime.strftime(datetime.datetime.now() + datetime.timedelta(days=2), "%Y-%m-%d %H:%M:%S")
profile.save()
return u
#Sending activation email ------>>>!! Warning : Domain name is hardcoded below !!<<<------
#The email is written in a text file (it contains templatetags which are populated by the method below)
def sendEmail(self, datas):
link="http://yourdomain.com/activate/"+datas['activation_key']
c=Context('activation_link':link,'username':datas['username'])
f = open(MEDIA_ROOT+datas['email_path'], 'r')
t = Template(f.read())
f.close()
message=t.render(c)
#print unicode(message).encode('utf8')
send_mail(datas['email_subject'], message, 'yourdomain <no-reply@yourdomain.com>', [datas['email']], fail_silently=False)
现在,在views.py
,我们需要处理所有这些,让我们开始吧:
寄存器视图:
def register(request):
if request.user.is_authenticated():
return redirect(home)
registration_form = RegistrationForm()
if request.method == 'POST':
form = RegistrationForm(request.POST)
if form.is_valid():
datas=
datas['username']=form.cleaned_data['username']
datas['email']=form.cleaned_data['email']
datas['password1']=form.cleaned_data['password1']
#We generate a random activation key
salt = hashlib.sha1(str(random.random())).hexdigest()[:5]
usernamesalt = datas['username']
if isinstance(usernamesalt, unicode):
usernamesalt = usernamesalt.encode('utf8')
datas['activation_key']= hashlib.sha1(salt+usernamesalt).hexdigest()
datas['email_path']="/ActivationEmail.txt"
datas['email_subject']="Activation de votre compte yourdomain"
form.sendEmail(datas)
form.save(datas) #Save the user and his profile
request.session['registered']=True #For display purposes
return redirect(home)
else:
registration_form = form #Display form with error messages (incorrect fields, etc)
return render(request, 'siteApp/register.html', locals())
激活视图:
#View called from activation email. Activate user if link didn't expire (48h default), or offer to
#send a second link if the first expired.
def activation(request, key):
activation_expired = False
already_active = False
profile = get_object_or_404(Profile, activation_key=key)
if profile.user.is_active == False:
if timezone.now() > profile.key_expires:
activation_expired = True #Display: offer the user to send a new activation link
id_user = profile.user.id
else: #Activation successful
profile.user.is_active = True
profile.user.save()
#If user is already active, simply display error message
else:
already_active = True #Display : error message
return render(request, 'siteApp/activation.html', locals())
def new_activation_link(request, user_id):
form = RegistrationForm()
datas=
user = User.objects.get(id=user_id)
if user is not None and not user.is_active:
datas['username']=user.username
datas['email']=user.email
datas['email_path']="/ResendEmail.txt"
datas['email_subject']="Nouveau lien d'activation yourdomain"
salt = hashlib.sha1(str(random.random())).hexdigest()[:5]
usernamesalt = datas['username']
if isinstance(usernamesalt, unicode):
usernamesalt = usernamesalt.encode('utf8')
datas['activation_key']= hashlib.sha1(salt+usernamesalt).hexdigest()
profile = Profile.objects.get(user=user)
profile.activation_key = datas['activation_key']
profile.key_expires = datetime.datetime.strftime(datetime.datetime.now() + datetime.timedelta(days=2), "%Y-%m-%d %H:%M:%S")
profile.save()
form.sendEmail(datas)
request.session['new_link']=True #Display: new link sent
return redirect(home)
最后,在urls.py
:
url(r'^register/$', 'register'),
url(r'^activate/(?P<key>.+)$', 'activation'),
url(r'^new-activation-link/(?P<user_id>\d+)/$', 'new_activation_link'),
有了所有你应该开始的东西,在 .txt 电子邮件和 HTML 中使用适当的模板标签,它应该可以工作。
注意:这段代码并不完美,存在重复(例如,随机密钥的生成可以在函数中定义),但它完成了工作。另外:激活密钥不是使用适当的加密函数生成的。另一种方法是使用如下函数来生成密钥:
from django.utils.crypto import get_random_string
def generate_activation_key(username):
chars = 'abcdefghijklmnopqrstuvwxyz0123456789!@#$%^&*(-_=+)'
secret_key = get_random_string(20, chars)
return hashlib.sha256((secret_key + username).encode('utf-8')).hexdigest()
NB2:Django send_mail
不提供任何工具来验证您的电子邮件。如果你想验证你的电子邮件(DKIM、SPF),我建议你看看这个:https://djangosnippets.org/snippets/1995/
NB3:new_activation_link 视图存在安全问题:它应该检查请求重新发送的用户是否正确,以及他是否尚未通过身份验证。我让你改正。
【讨论】:
@Raphael Laurent 那么,“登录”应该如何使用令牌完成?上面的答案是“保存()”而不是登录 警告: 这个答案没有使用安全的方式来生成激活密钥,而是仅依赖于random
模块。获取安全值的一种简单方法是使用django.utils.crypto
中的get_random_string
(这用于在使用startproject
时提供默认的SECRET_KEY
),或者,如果使用python3.6>,则使用新的secrets
模块.否则使用os.urandom
而不是random.random
获取真实随机数据。
@raphael-laurent 我可以使用 uuid4() 生成随机密钥吗?
如果您想避免在电子邮件中对激活链接进行硬编码,可以在 views.py 中执行 reg_data['activation_url'] = request.build_absolute_uri('/activate/')
。这个答案写于 2014 年/编辑于 2017 年,但对我设置电子邮件确认仍然非常有帮助!谢谢@Raphael 和@Bakuriu。【参考方案2】:
您可能还对简单但功能强大的django-verified-email-field 感兴趣。
只需在您的表单中使用VerifiedEmailField
:
from django import forms
from verified_email_field.forms import VerifiedEmailField
class RegistrationForm(forms.ModelForm):
email = VerifiedEmailField(label='email', required=True)
或在您的模型中:
from django.db import models
from verified_email_field.models import VerifiedEmailField
class User(models.Model):
email = VerifiedEmailField('e-mail')
它呈现两个输入字段:e-mail
和 verification code
。验证码使用 AJAX 或在字段的 clean
期间发送到电子邮件地址,如果给定电子邮件没有有效代码,因此即使没有 javascript 也可以工作。
【讨论】:
你能简单解释一下吗..请 我已经简单解释过了。我不确定我应该更深入地解释哪一部分,除非你问一些特别的问题。 这是一个非常糟糕的文档库 它不是一个库,只是一个(虽然功能强大)模型/表单字段。 (当您购买锤子时您期望什么文档?我想重量和木材种类就足够了。)如果您错过任何重要的文档,欢迎您扩展文档。或者您可以提出一些合理的问题,我会回答并可能更新自述文件。以上是关于Django 自定义用户电子邮件帐户验证的主要内容,如果未能解决你的问题,请参考以下文章
Django 1.5:UserCreationForm 和自定义身份验证模型