Как вы проходите аутентификацию на сервере Active Directory с помощью Spring Security?

StackOverflow https://stackoverflow.com/questions/84680

Вопрос

Я пишу веб-приложение Spring, которое требует от пользователей входа в систему.В моей компании есть сервер Active Directory, который я хотел бы использовать для этой цели.Однако у меня возникли проблемы с использованием Spring Security для подключения к серверу.

Я использую Spring 2.5.5 и Spring Security 2.0.3, а также Java 1.6.

Если я изменю URL-адрес LDAP на неправильный IP-адрес, это не выдаст исключение или что-то в этом роде, поэтому мне интересно, правильно ли это вообще. пытающийся для начала подключиться к серверу.

Хотя веб-приложение запускается нормально, любая информация, которую я вводю на страницу входа, отклоняется.Ранее я использовал InMemoryDaoImpl, который работал нормально, поэтому остальная часть моего приложения кажется настроенной правильно.

Вот мои bean-компоненты, связанные с безопасностью:

  <beans:bean id="ldapAuthProvider" class="org.springframework.security.providers.ldap.LdapAuthenticationProvider">
    <beans:constructor-arg>
      <beans:bean class="org.springframework.security.providers.ldap.authenticator.BindAuthenticator">
        <beans:constructor-arg ref="initialDirContextFactory" />
        <beans:property name="userDnPatterns">
          <beans:list>
            <beans:value>CN={0},OU=SBSUsers,OU=Users,OU=MyBusiness,DC=Acme,DC=com</beans:value>
          </beans:list>
        </beans:property>
      </beans:bean>
    </beans:constructor-arg>
  </beans:bean>

  <beans:bean id="userDetailsService" class="org.springframework.security.userdetails.ldap.LdapUserDetailsManager">
    <beans:constructor-arg ref="initialDirContextFactory" />
  </beans:bean>

  <beans:bean id="initialDirContextFactory" class="org.springframework.security.ldap.DefaultInitialDirContextFactory">
    <beans:constructor-arg value="ldap://192.168.123.456:389/DC=Acme,DC=com" />
  </beans:bean>
Это было полезно?

Решение

У меня был тот же опыт, что и у вас, и в итоге я написал собственный поставщик аутентификации, который выполняет запрос LDAP к серверу Active Directory.

Итак, мои bean-компоненты, связанные с безопасностью:

<beans:bean id="contextSource"
    class="org.springframework.security.ldap.DefaultSpringSecurityContextSource">
    <beans:constructor-arg value="ldap://hostname.queso.com:389/" />
</beans:bean>

<beans:bean id="ldapAuthenticationProvider"
    class="org.queso.ad.service.authentication.LdapAuthenticationProvider">
    <beans:property name="authenticator" ref="ldapAuthenticator" />
    <custom-authentication-provider />
</beans:bean>

<beans:bean id="ldapAuthenticator"
    class="org.queso.ad.service.authentication.LdapAuthenticatorImpl">
    <beans:property name="contextFactory" ref="contextSource" />
    <beans:property name="principalPrefix" value="QUESO\" />
</beans:bean>

Затем класс LdapAuthenticationProvider:

/**
 * Custom Spring Security authentication provider which tries to bind to an LDAP server with
 * the passed-in credentials; of note, when used with the custom {@link LdapAuthenticatorImpl},
 * does <strong>not</strong> require an LDAP username and password for initial binding.
 * 
 * @author Jason
 */
public class LdapAuthenticationProvider implements AuthenticationProvider {

    private LdapAuthenticator authenticator;

    public Authentication authenticate(Authentication auth) throws AuthenticationException {

        // Authenticate, using the passed-in credentials.
        DirContextOperations authAdapter = authenticator.authenticate(auth);

        // Creating an LdapAuthenticationToken (rather than using the existing Authentication
        // object) allows us to add the already-created LDAP context for our app to use later.
        LdapAuthenticationToken ldapAuth = new LdapAuthenticationToken(auth, "ROLE_USER");
        InitialLdapContext ldapContext = (InitialLdapContext) authAdapter
                .getObjectAttribute("ldapContext");
        if (ldapContext != null) {
            ldapAuth.setContext(ldapContext);
        }

        return ldapAuth;
    }

    public boolean supports(Class clazz) {
        return (UsernamePasswordAuthenticationToken.class.isAssignableFrom(clazz));
    }

    public LdapAuthenticator getAuthenticator() {
        return authenticator;
    }

    public void setAuthenticator(LdapAuthenticator authenticator) {
        this.authenticator = authenticator;
    }

}

Затем класс LdapAuthenticatorImpl:

/**
 * Custom Spring Security LDAP authenticator which tries to bind to an LDAP server using the
 * passed-in credentials; does <strong>not</strong> require "master" credentials for an
 * initial bind prior to searching for the passed-in username.
 * 
 * @author Jason
 */
public class LdapAuthenticatorImpl implements LdapAuthenticator {

    private DefaultSpringSecurityContextSource contextFactory;
    private String principalPrefix = "";

    public DirContextOperations authenticate(Authentication authentication) {

        // Grab the username and password out of the authentication object.
        String principal = principalPrefix + authentication.getName();
        String password = "";
        if (authentication.getCredentials() != null) {
            password = authentication.getCredentials().toString();
        }

        // If we have a valid username and password, try to authenticate.
        if (!("".equals(principal.trim())) && !("".equals(password.trim()))) {
            InitialLdapContext ldapContext = (InitialLdapContext) contextFactory
                    .getReadWriteContext(principal, password);

            // We need to pass the context back out, so that the auth provider can add it to the
            // Authentication object.
            DirContextOperations authAdapter = new DirContextAdapter();
            authAdapter.addAttributeValue("ldapContext", ldapContext);

            return authAdapter;
        } else {
            throw new BadCredentialsException("Blank username and/or password!");
        }
    }

    /**
     * Since the InitialLdapContext that's stored as a property of an LdapAuthenticationToken is
     * transient (because it isn't Serializable), we need some way to recreate the
     * InitialLdapContext if it's null (e.g., if the LdapAuthenticationToken has been serialized
     * and deserialized). This is that mechanism.
     * 
     * @param authenticator
     *          the LdapAuthenticator instance from your application's context
     * @param auth
     *          the LdapAuthenticationToken in which to recreate the InitialLdapContext
     * @return
     */
    static public InitialLdapContext recreateLdapContext(LdapAuthenticator authenticator,
            LdapAuthenticationToken auth) {
        DirContextOperations authAdapter = authenticator.authenticate(auth);
        InitialLdapContext context = (InitialLdapContext) authAdapter
                .getObjectAttribute("ldapContext");
        auth.setContext(context);
        return context;
    }

    public DefaultSpringSecurityContextSource getContextFactory() {
        return contextFactory;
    }

    /**
     * Set the context factory to use for generating a new LDAP context.
     * 
     * @param contextFactory
     */
    public void setContextFactory(DefaultSpringSecurityContextSource contextFactory) {
        this.contextFactory = contextFactory;
    }

    public String getPrincipalPrefix() {
        return principalPrefix;
    }

    /**
     * Set the string to be prepended to all principal names prior to attempting authentication
     * against the LDAP server.  (For example, if the Active Directory wants the domain-name-plus
     * backslash prepended, use this.)
     * 
     * @param principalPrefix
     */
    public void setPrincipalPrefix(String principalPrefix) {
        if (principalPrefix != null) {
            this.principalPrefix = principalPrefix;
        } else {
            this.principalPrefix = "";
        }
    }

}

И, наконец, класс LdapAuthenticationToken:

/**
 * <p>
 * Authentication token to use when an app needs further access to the LDAP context used to
 * authenticate the user.
 * </p>
 * 
 * <p>
 * When this is the Authentication object stored in the Spring Security context, an application
 * can retrieve the current LDAP context thusly:
 * </p>
 * 
 * <pre>
 * LdapAuthenticationToken ldapAuth = (LdapAuthenticationToken) SecurityContextHolder
 *      .getContext().getAuthentication();
 * InitialLdapContext ldapContext = ldapAuth.getContext();
 * </pre>
 * 
 * @author Jason
 * 
 */
public class LdapAuthenticationToken extends AbstractAuthenticationToken {

    private static final long serialVersionUID = -5040340622950665401L;

    private Authentication auth;
    transient private InitialLdapContext context;
    private List<GrantedAuthority> authorities = new ArrayList<GrantedAuthority>();

    /**
     * Construct a new LdapAuthenticationToken, using an existing Authentication object and
     * granting all users a default authority.
     * 
     * @param auth
     * @param defaultAuthority
     */
    public LdapAuthenticationToken(Authentication auth, GrantedAuthority defaultAuthority) {
        this.auth = auth;
        if (auth.getAuthorities() != null) {
            this.authorities.addAll(Arrays.asList(auth.getAuthorities()));
        }
        if (defaultAuthority != null) {
            this.authorities.add(defaultAuthority);
        }
        super.setAuthenticated(true);
    }

    /**
     * Construct a new LdapAuthenticationToken, using an existing Authentication object and
     * granting all users a default authority.
     * 
     * @param auth
     * @param defaultAuthority
     */
    public LdapAuthenticationToken(Authentication auth, String defaultAuthority) {
        this(auth, new GrantedAuthorityImpl(defaultAuthority));
    }

    public GrantedAuthority[] getAuthorities() {
        GrantedAuthority[] authoritiesArray = this.authorities.toArray(new GrantedAuthority[0]);
        return authoritiesArray;
    }

    public void addAuthority(GrantedAuthority authority) {
        this.authorities.add(authority);
    }

    public Object getCredentials() {
        return auth.getCredentials();
    }

    public Object getPrincipal() {
        return auth.getPrincipal();
    }

    /**
     * Retrieve the LDAP context attached to this user's authentication object.
     * 
     * @return the LDAP context
     */
    public InitialLdapContext getContext() {
        return context;
    }

    /**
     * Attach an LDAP context to this user's authentication object.
     * 
     * @param context
     *          the LDAP context
     */
    public void setContext(InitialLdapContext context) {
        this.context = context;
    }

}

Вы заметите, что там есть несколько фрагментов, которые могут вам не понадобиться.

Например, моему приложению необходимо было сохранить контекст LDAP успешного входа в систему для дальнейшего использования пользователем после входа в систему — цель приложения — позволить пользователям войти в систему с помощью своих учетных данных AD, а затем выполнить дальнейшие функции, связанные с AD.Поэтому у меня есть собственный токен аутентификации LdapAuthenticationToken, который я передаю (а не токен аутентификации Spring по умолчанию), который позволяет мне прикрепить контекст LDAP.В LdapAuthenticationProvider.authenticate() я создаю этот токен и передаю его обратно;в LdapAuthenticatorImpl.authenticate() я присоединяю контекст входа в систему к возвращаемому объекту, чтобы его можно было добавить к объекту аутентификации Spring пользователя.

Кроме того, в LdapAuthenticationProvider.authenticate() я назначаю всем вошедшим в систему пользователям роль ROLE_USER — это то, что позволяет мне затем проверить эту роль в моих элементах intercept-url.Вы захотите, чтобы это соответствовало любой роли, которую вы хотите протестировать, или даже назначать роли на основе групп Active Directory или чего-то еще.

Наконец, как следствие, способ реализации LdapAuthenticationProvider.authenticate() дает всем пользователям с действующими учетными записями AD одну и ту же роль ROLE_USER.Очевидно, что с помощью этого метода вы можете выполнить дополнительные проверки пользователя (т. е. находится ли пользователь в определенной группе AD?) и таким образом назначить роли или даже проверить какое-либо условие, прежде чем даже предоставить пользователю доступ на все.

Другие советы

Для справки: Spring Security 3.1 имеет поставщика аутентификации. специально для Active Directory.

Просто чтобы привести это в актуальный статус.Spring Security 3.0 имеет полный пакет с реализациями по умолчанию, посвященными ldap-bind, а также аутентификации запросов и сравнения.

Мне удалось пройти аутентификацию в активном каталоге, используя Spring Security 2.0.4.

Я задокументировал настройки

http://maniezhilan.blogspot.com/2008/10/spring-security-204-with-active.html

Как в ответе Люка выше:

Spring Security 3.1 имеет поставщика аутентификации специально для Active Directory.

Вот подробности того, как это можно легко сделать с помощью ActiveDirectoryLdapAuthenticationProvider.

В resources.groovy:

ldapAuthProvider1(ActiveDirectoryLdapAuthenticationProvider,
        "mydomain.com",
        "ldap://mydomain.com/"
)

В Config.groovy:

grails.plugin.springsecurity.providerNames = ['ldapAuthProvider1']

Это весь код, который вам нужен.Вы можете удалить все остальные настройки grails.plugin.springsecurity.ldap.* в Config.groovy, поскольку они не применимы к этой настройке AD.

Документацию см.:http://docs.spring.io/spring-security/site/docs/3.1.x/reference/springsecurity-single.html#ldap-active-directory

Аутентификация LDAP без SSL небезопасна. Любой может увидеть учетные данные пользователя, когда они передаются на сервер LDAP.Я предлагаю использовать протокол LDAPS:\ для аутентификации.Никаких серьезных изменений в пружинной части не требуется, но вы можете столкнуться с некоторыми проблемами, связанными с сертификатами.Видеть Аутентификация LDAP Active Directory весной с помощью SSL Больше подробностей

Из ответа Люка выше:

Для справки, Spring Security 3.1 имеет поставщик аутентификации [специально для Active Directory] [1].

[1]: http://static.springsource.org/spring-security/site/docs/3.1.x/reference/springsecurity-single.html#ldap-active-directory

Я попробовал вышеизложенное с Spring Security 3.1.1:есть некоторые небольшие изменения по сравнению с ldap - группы активных каталогов, членом которых является пользователь, действуют как исходный случай.

Раньше в ldap группы писались с заглавной буквы и имели префикс «ROLE_», что облегчало их поиск с помощью текстового поиска в проекте, но, очевидно, могли возникнуть проблемы в группе unix, если по какой-то странной причине были две отдельные группы, различающиеся только по регистру ( т.е. счета и счета).

Кроме того, синтаксис требует указания имени и порта контроллера домена вручную, что немного пугает из-за избыточности.Конечно, есть способ поиска DNS-записи SRV для домена в Java, т.е. эквивалент (из руководства по Samba 4):

$ host -t SRV _ldap._tcp.samdom.example.com.
_ldap._tcp.samdom.example.com has SRV record 0 100 389 samba.samdom.example.com.

за которым следует обычный поиск A:

$ host -t A samba.samdom.example.com.
samba.samdom.example.com has address 10.0.0.1

(На самом деле, возможно, потребуется также найти запись _kerberos SRV...)

Вышеупомянутое было для Samba4.0rc1, мы постепенно обновляем среду LDAP Samba 3.x до среды Samba AD.

Если вы используете Spring безопасность 4 Вы также можете реализовать то же самое, используя данный класс

  • SecurityConfig.java
@Configuration
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {


static final Logger LOGGER = LoggerFactory.getLogger(SecurityConfig.class);

@Autowired
protected void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
    auth.authenticationProvider(activeDirectoryLdapAuthenticationProvider());
}

@Override
protected void configure(HttpSecurity http) throws Exception {
    http
            .authorizeRequests()
              .antMatchers("/").permitAll()
              .anyRequest().authenticated();
            .and()
              .formLogin()
            .and()
              .logout();
}

@Bean
public AuthenticationProvider activeDirectoryLdapAuthenticationProvider() {
    ActiveDirectoryLdapAuthenticationProvider authenticationProvider = 
        new ActiveDirectoryLdapAuthenticationProvider("<domain>", "<url>");

    authenticationProvider.setConvertSubErrorCodesToExceptions(true);
    authenticationProvider.setUseAuthenticationRequestCredentials(true);

    return authenticationProvider;
}
}
Лицензировано под: CC-BY-SA с атрибуция
Не связан с StackOverflow
scroll top