首页 文章

如何使用LDAP对用户进行密码验证?

提问于
浏览
9

我正在编写一个客户端应用程序(使用OpenLDAP库),用户通过LDAP服务器对其进行身份验证 .

以下是无法比较用户userPassword的示例硬编码程序 .

#include <stdio.h>
#include <ldap.h>
#define LDAP_SERVER "ldap://192.168.1.95:389"

int main( int argc, char **argv ){
    LDAP        *ld;
    int         rc;
    char        bind_dn[100];
    LDAPMessage *result, *e;
    char *dn;
    int has_value;

    sprintf( bind_dn, "cn=%s,dc=ashwin,dc=com", "manager" );
    printf( "Connecting as %s...\n", bind_dn );

    if( ldap_initialize( &ld, LDAP_SERVER ) )
    {
        perror( "ldap_initialize" );
        return( 1 );
    }

    rc = ldap_simple_bind_s( ld, bind_dn, "ashwin" );
    if( rc != LDAP_SUCCESS )
    {
        fprintf(stderr, "ldap_simple_bind_s: %s\n", ldap_err2string(rc) );
        return( 1 );
    }

    printf( "Successful authentication\n" );

    rc = ldap_search_ext_s(ld, "dc=ashwin,dc=com", LDAP_SCOPE_SUBTREE, "sn=ashwin kumar", NULL, 0, NULL, NULL, NULL, 0, &result);
    if ( rc != LDAP_SUCCESS ) {
        fprintf(stderr, "ldap_search_ext_s: %s\n", ldap_err2string(rc));
    }

    for ( e = ldap_first_entry( ld, result ); e != NULL; e = ldap_next_entry( ld, e ) ) {
        if ( (dn = ldap_get_dn( ld, e )) != NULL ) {
            printf( "dn: %s\n", dn );
            has_value = ldap_compare_s( ld, dn, "userPassword", "secret" ); 
            switch ( has_value ) { 
                case LDAP_COMPARE_TRUE: 
                    printf( "Works.\n"); 
                    break; 
                case LDAP_COMPARE_FALSE: 
                    printf( "Failed.\n"); 
                    break; 
                default: 
                    ldap_perror( ld, "ldap_compare_s" ); 
                    return( 1 ); 
            } 
            ldap_memfree( dn );
        }
    }

    ldap_msgfree( result );
    ldap_unbind( ld );
    return( 0 );
}

userPassword 如果它在LDAP服务器中是普通的,它可以工作 . 如果MD5加密,则相同的密码,ldap_compare_s失败 . 那是因为我传递了明文密码进行比较 .

我如何让这个示例程序工作?

我这样做了吗?使用 ldap_compare_s 通过LDAP验证用户是否正确?

P.S:这是我第一次使用LDAP .

1 回答

  • 7

    这不是在LDAP上执行密码检查的正确方法,您应该尝试使用从第一次搜索获得的 dn 和提供的密码进行绑定 .

    即您执行第二次绑定以验证密码 . 如果绑定失败,则密码不正确 .

    类似于:

    if ( (dn = ldap_get_dn( ld, e )) != NULL ) {
            printf( "dn: %s\n", dn );
            /* rebind */
            ldap_initialize(&ld2, LDAP_SERVER);
            rc = ldap_simple_bind_s(ld2, dn, "secret");
            printf("%d\n", rc);
            if (rc != 0) {
                printf("Failed.\n");
            } else {
                printf("Works.\n");
                ldap_unbind(ld2);
            }
            ldap_memfree( dn );
        }
    

    出于安全原因,指示用户名不正确(即,搜索用户帐户失败)通常被认为是过度披露,应该避免 .

相关问题