我在简短版本中的问题:
我已将login_required
装饰器添加到我的一个视图中。如果我在执行此视图的浏览器中输入 URL,如果用户未通过身份验证,浏览器将正确重定向到包含我的登录表单的 URL。但是,浏览器永远不会重定向回上一页,我不知道为什么这不起作用。我已经尝试了数百种方法。
我在长版本中的问题:
我有一个带有单个应用程序的 Django 项目,我们称之为my_app
. 我项目的所有模板都位于templates/my_app/
. 我有一个名为的模板main.html
,其中包含多个表单,其中包括我的登录表单。使用一个名为 的附加POST
参数form-type
,我检查哪些表单已提交。代码如下所示:
def process_main_page_forms(request):
if request.method == 'POST':
if request.POST['form-type'] == u'login-form':
template_context = _log_user_in(request)
elif request.POST['form-type'] == u'registration-form':
template_context = _register_user(request)
elif request.POST['form-type'] == u'password-recovery-form':
template_context = _recover_password(request)
else:
template_context = {
'auth_form': AuthenticationForm(),
'registration_form': RegistrationForm(),
'password_recovery_form': EmailBaseForm()
}
return render(request, 'my_app/main.html', template_context)
该函数_log_user_in()
如下所示:
def _log_user_in(request):
message = ''
username = request.POST['username']
password = request.POST['password']
user = authenticate(username=username, password=password)
if user is not None:
if user.is_active:
login(request, user)
else:
message = 'Your account has been disabled. ' \
'Please contact the administrator.'
else:
message = 'Your username and password didn\'t match. Please try again.'
template_context = {
'auth_form': AuthenticationForm(),
'registration_form': RegistrationForm(),
'password_recovery_form': EmailBaseForm(),
'message': message,
}
return template_context
我还在模板中包含了必要的<input>
元素,例如,对于登录表单,这是:
<input type="hidden" name="form-type" value="login-form" />
<input type="hidden" name="next" value="{{ next }}" />
此视图的 URL 模式是:
url(r'^$', process_main_page_forms, name='main-page')
我的第二个视图呈现了两种表单,用于更改经过身份验证的用户的电子邮件地址和密码。它看起来像这样:
@login_required(login_url='/')
def change_user_credentials(request):
if request.method == 'POST':
if request.POST['form-type'] == u'change-email-form':
template_context = _change_email_address(request)
elif request.POST['form-type'] == u'change-password-form':
template_context = _change_password(request)
else:
template_context = {'change_email_form': ChangeEmailForm()}
return render(request, 'my_app/user.html', template_context)
第二个视图的 URL 模式是:
url(r'^account/$', change_user_credentials, name='user-page')
每当我/account/
在未经身份验证的情况下访问时,我都会成功地重定向到包含登录表单的主页。生成的 URLhttp://127.0.0.1:8000/?next=/account/
包含必要的next
参数。但是,当我登录我的帐户时,我仍然在主页上。next
尽管我在登录表单中提供了必要的参数,但我从未被重定向到用户页面。好像这个参数一直是空的,不知道为什么。我的代码中也没有任何其他重定向调用。
你能帮我解决这个问题吗?非常感谢您提前。