Spring Безопасность на Wildfly/Undertow: ошибка, выполняющая цепочку фильтров

Я пытаюсь интегрировать расширение Spring Security SAML с Spring Boot.

По этому поводу я разработал полный пример приложения. Его исходный код доступен на GitHub:

Запустив его как приложение Spring Boot (работающее со встроенным сервером приложений SDK), WebApp работает нормально.

К сожалению, тот же процесс AuthN совсем не работает в Undertow/WildFly.

Согласно журналу, IdP выполняет процесс AuthN: инструкции моей пользовательской реализации UserDetails выполнены правильно. Несмотря на ход выполнения, Spring не устанавливает и не сохраняет привилегии для текущего пользователя.

@Component
public class SAMLUserDetailsServiceImpl implements SAMLUserDetailsService {

    // Logger
    private static final Logger LOG = LoggerFactory.getLogger(SAMLUserDetailsServiceImpl.class);

    @Override
    public Object loadUserBySAML(SAMLCredential credential)
            throws UsernameNotFoundException, SSOUserAccountNotExistsException {
        String userID = credential.getNameID().getValue();
        if (userID.compareTo("[email protected]") != 0) {     // We're simulating the data access.
            LOG.warn("SSO User Account not found into the system");
            throw new SSOUserAccountNotExistsException("SSO User Account not found into the system", userID);
        }
        LOG.info(userID + " is logged in");
        List<GrantedAuthority> authorities = new ArrayList<GrantedAuthority>();
        GrantedAuthority authority = new SimpleGrantedAuthority("ROLE_USER");
        authorities.add(authority);
        ExtUser userDetails = new ExtUser(userID, "password", true, true, true,
                true, authorities, "John", "Doe");
        return userDetails;
    }
}

Во время отладки я обнаружил, что проблема FilterChainProxy классом FilterChainProxy. Во время выполнения атрибут FILTER_APPLIED объекта ServletRequest имеет нулевое значение, поэтому Spring очищает SecurityContextHolder.

private final static String FILTER_APPLIED = FilterChainProxy.class.getName().concat(".APPLIED");

public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain)
        throws IOException, ServletException {
    boolean clearContext = request.getAttribute(FILTER_APPLIED) == null;
    if (clearContext) {
        try {
            request.setAttribute(FILTER_APPLIED, Boolean.TRUE);
            doFilterInternal(request, response, chain);
        } finally {
            SecurityContextHolder.clearContext();
            request.removeAttribute(FILTER_APPLIED);
        }
    } else {
        doFilterInternal(request, response, chain);
    }
}

На VMware vFabric tc Sever и Tomcat все работает совершенно нормально. Есть ли у вас идеи по решению этой проблемы?

Ответ 1

Исследуя проблему, я заметил, что в запросе auth существует некоторая проблема с куки файлами и ссылками.

В настоящее время аутентификация wildfly будет работать, если вы измените контекст веб-приложения на корневой контекст:

 <server name="default-server" default-host="webapp">
     <http-listener name="default" socket-binding="http"/>
     <host name="default-host" alias="localhost" default-web-module="sso.war"/>
 </server>

После перезапуска кустарников и кликов очистки все должно работать как ожидалось