在多个站点上使用时,是否可以将Django allauth的身份验证方法设置为“email”?
我的目标是允许使用电子邮件地址为bob@example.com的用户在site1.com创建一个帐户,并在site2.com创建一个单独的帐户。
为了使用电子邮件身份验证,我需要在设置中将UNIQUE_EMAIL设置为True,但这会阻止已在一个站点中拥有帐户的用户在另一个站点中创建帐户。
答案 0 :(得分:2)
我假设您希望允许为Django设置中的每个网站单独注册相同的电子邮件。
查看allauth代码;看来目前这样做是不可行的,可能是因为allauth没有将网站ID作为用户注册过程的一部分。
class AppSettings(object):
class AuthenticationMethod:
USERNAME = 'username'
EMAIL = 'email'
USERNAME_EMAIL = 'username_email'
class EmailVerificationMethod:
# After signing up, keep the user account inactive until the email
# address is verified
MANDATORY = 'mandatory'
# Allow login with unverified e-mail (e-mail verification is
# still sent)
OPTIONAL = 'optional'
# Don't send e-mail verification mails during signup
NONE = 'none'
def __init__(self, prefix):
self.prefix = prefix
# If login is by email, email must be required
assert (not self.AUTHENTICATION_METHOD ==
self.AuthenticationMethod.EMAIL) or self.EMAIL_REQUIRED
# If login includes email, login must be unique
assert (self.AUTHENTICATION_METHOD ==
self.AuthenticationMethod.USERNAME) or self.UNIQUE_EMAIL
执行此操作的一种方法如下:
- 将allauth AUTHENTICATION_METHOD
保留为用户名
- 将站点与用户信息一起存储,可能在UserProfile中或通过覆盖用户模型。
- 将Email
和Site
的组合设为唯一。
- 覆盖LoginView
以便用户输入电子邮件;您可以将Email
,Site
的组合翻译为唯一身份用户帐户和用户名;您可以将其传递给allauth以执行登录。
假设您使用Sites框架;你的代码看起来像这样:
from allauth.account.views import LoginView
from django.core.exceptions import ObjectDoesNotExist
class CustomLoginView(LoginView):
def get_user():
email = request.POST.get('email')
current_site = Site.objects.get_current()
try:
user = User.objects.get(email=email, site=current_site)
except ObjectDoesNotExist:
pass # Handle Error: Perhaps redirect to signup
return user
def dispatch(self, request, *args, **kwargs):
user = self.get_user()
request.POST = request.POST.copy()
request.POST['username'] = user.username
return super(CustomLoginView, self).dispatch(request, *args, **kwargs)
然后使用自定义登录视图对LoginView进行修补:
allauth.account.views.LoginView = CustomLoginView
有关设置Site FK和自定义身份验证后端的相关阅读: