我是Django的新手,并被分配了以LDAP作为后端实现用户身份验证系统的任务。我想documentation假设最终开发人员在Django中有足够的经验来理解和实现这样的系统。这是我无法理解如何使用基于LDAP的身份验证实现简单的django应用程序的地方。这是我到目前为止所理解的:
仅将更改发布到文件:
settings.py
....
import ldap
from django_auth_ldap.config import LDAPSearch
AUTH_LDAP_SERVER_URI = "ldap://<my url>"
AUTHENTICATION_BACKENDS = ('django_auth_ldap.backend.LDAPBackend')
AUTH_LDAP_CONNECTION_OPTIONS = {
ldap.OPT_REFERRALS: 0
}
MIDDLEWARE_CLASSES = (
....
'django.contrib.sessions.middleware.SessionMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
...
)
INSTALLED_APPS = (
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
....
)
auth.html
<html>
<head>
<title>Login</title>
</head>
<body>
{{state}}
<form action="" method="post"> {% csrf_token %}
Email address: <input type="text" name="email" value="{{ email }}" />
Password: <input type="password" name="password" value="" />
<input type="submit" value="Log in" />
</form>
</body>
</html>
models.py:
??
views.py:
from django.shortcuts import render_to_response
from django.contrib.auth import authenticate, login
from django.template import RequestContext
def login_user(request):
username = password = ""
state = ""
if request.POST:
username = request.POST.get('username')
password = request.POST.get('password')
print username, password
user = authenticate(username=username, password=password)
if user is not None:
login(request, user)
state = "Valid account"
else:
state = "Inactive account"
return render_to_response('auth_user/auth.html', RequestContext(request, {'state': state, 'username': username}))
我无法理解的是什么?
1&GT;我很确定我必须在views.py
中实现一个函数来获取POST
和email
的{{1}}值并验证它,e.g: [SO]。该文档指定实现搜索/绑定或直接绑定。为什么?如果password
包含实际的身份验证代码,那么文档中指定的代码是什么?
2 - ;如果views.py
将执行实际的身份验证,那么为什么我们需要文档中指定的变量?
3&GT;作者在图书馆方面做得很好,但是文档没有提供如何使用LDAP实现整个身份验证系统的简单准系统示例。任何人都可以指出这样的资源,如果它存在?要理解需要添加/修改以实现此类系统的文件并不容易。
答案 0 :(得分:28)
此页面可能包含您要查找的内容:https://pypi.python.org/pypi/django-auth-ldap有关LDAP后端的信息。你很幸运,因为你不必自己编写auth后端代码: - )
基本上django.contrib.auth.models已经有一个User对象,其中包含有关用户的所有信息。因此,您无需创建新的models.py。
您只需要在您的views.py中使用
在登录功能中对自己进行身份验证from django.contrib.auth import authenticate, login
user = authenticate(username=request.REQUEST.get('email'), password=request.REQUEST.get('password'))
# handle error cases, inactive users, ...
login(request, user)
如果用户为“无”,则身份验证失败。如果没有,您可以浏览此对象以查看为您提供后端的内容。
然后,如果您希望为此应用程序保留与此用户关联的“首选项”,而不是LDAP的一部分,则可以选择使用User作为foreignKey创建另一个模型。
在这种情况下,您需要:
<强> Models.py 强>
根据您的应用程序定义对您很重要的数据。您将从LDAP中提取用户数据,并使用它填充此模型以及链接到用户的其他首选项:
from django.contrib.auth.models import User
class Profile(models.Model):
"""User profile. Contains some basic configurable settings"""
user = models.ForeignKey(User, unique=True)
phone_number = models.CharField(max_length=256, blank=True, default='')
...
<强> Views.py 强>
,如果request.method =='POST',则使用您从身份验证中获得的用户get_or_create用户配置文件。
profile, profile_is_new = Profile.objects.get_or_create(user=user)
答案 1 :(得分:6)
django-auth-ldap文档确实是为熟悉Django的开发人员编写的。还有LDAP。如果你是从头开始,我建议你一步一步: