9

我想将 ActiveDirectory 数据库的用户导入 Django。为此,我正在尝试使用 django_auth_ldap 模块。

这是我已经尝试过的:

在我的 settings.py 中:

AUTH_LDAP_SERVER_URI = "ldap://example.fr"

AUTH_LDAP_BIND_DN = 'cn=a_user,dc=example,dc=fr'
AUTH_LDAP_BIND_PASSWORD=''
AUTH_LDAP_USER_SEARCH = LDAPSearch('ou=users,dc=example,dc=fr', ldap.SCOPE_SUBTREE, '(uid=%(user)s)')
AUTH_LDAP_GROUP_SEARCH = LDAPSearch('ou=groups,dc=example,dc=fr', ldap.SCOPE_SUBTREE, '(objectClass=groupOfNames)')

AUTH_LDAP_GROUP_TYPE = ActiveDirectoryGroupType()

#Populate the Django user from the LDAP directory
AUTH_LDAP_USER_ATTR_MAP = {
    'first_name': 'sAMAccountName',
    'last_name': 'displayName',
    'email': 'mail'
}


AUTHENTICATION_BACKENDS = (
    'django_auth_ldap.backend.LDAPBackend',
    'django.contrib.auth.backends.ModelBackend',
)

然后我打电话python manage.py syncdb没有结果。没有警告,没有错误,auth_user 表中没有任何更新。有什么明显我忘了做的吗?

4

3 回答 3

7

查看文档django_auth_ldap似乎该模块实际上并没有遍历 LDAP 用户并将它们加载到数据库中。相反,它根据 LDAP 对用户进行身份验证,然后在用户登录时使用auth_users从 LDAP 获得的信息添加或更新他们。

如果您想使用 Active Directory 中的所有用户预先填充数据库,那么看起来您需要编写一个脚本来直接查询 AD 并插入用户。

这样的事情应该让你开始:

import ldap

l = ldap.initialize('ldap://your_ldap_server') # or ldaps://
l.simple_bind_s("cn=a_user,dc=example,dc=fr")
users = l.search_ext_s("memberOf=YourUserGroup",\
                         ldap.SCOPE_SUBTREE, \
                         "(sAMAccountName=a_user)", \
                         attrlist=["sAMAccountName", "displayName","mail"])

# users is now an array of members who match your search criteria.
# *Each* user will look something like this:
# [["Firstname"],["LastName"],["some@email.address"]]
# Note that each field is in an array, even if there is only one value.
# If you only want the first value from each, you can transform the results:
# users = [[field[0] for field in user] for user in users]

# That will transform each row into something like this:
# ["Firstname", "Lastname", "some@email.address"]

# TODO -- add to the database.

我已将数据库更新留给您,因为我没有关于您的设置的任何信息。

如果您需要有关 LDAP 查询的更多信息,请查看 Stackoverflow 上的 LDAP 问题——我还发现这篇文章很有帮助。

于 2011-07-28T14:57:55.210 回答
2

我想说您真的不想在这里使用 django_auth_ldap,因为这只会在用户登录时按需创建用户(正如其他人所指出的那样)。相反,您可以只使用原始 python_ldap 模块来执行原始 LDAP 查询:

username = "..."
password  = "..."
scope = ldap.SCOPE_SUBTREE
base = "ou=...,dc=...,dc=..."
filter="..."
retrieve_attributes=['cn','uid','displayName']

l = ldap.open("your.ldap.server")    
l.protocol_version = ldap.VERSION3
l.simple_bind(username, password)
results = l.search_s(base, scope, filter, retrieve_attributes)

然后迭代结果以将它们填充到您的模型中。

于 2011-07-28T16:23:50.940 回答
2

我需要做类似的事情,发现 LDAPBackend.populate_user(user_name) API 很有用。

from django_auth_ldap.backend import LDAPBackend
user = LDAPBackend().populate_user('user_name')

鉴于每个调用都会发出 LDAP 查询和一堆数据库选择/更新/插入查询,这更适合获取或创建偶尔的用户(用于伪装成他们/检查应用程序如何查找他们)而不是批量创建它们.

于 2019-02-18T10:43:22.280 回答