セッションがタイムアウトしたときにajaxリクエストからデータを送り返す方法についての良い例/答えを見つけることができないようです。ログインページのHTMLを送り返しますが、jsonまたは傍受できるステータスコードを送信したいと思います。
これを行う最も簡単な方法は、AJAXリクエストのURLにフィルターを使用することです。
以下の例では、セッションタイムアウトを示す応答本文を含むHTTP 500応答コードを送信していますが、応答コードと本文を自分のケースにより適したものに簡単に設定できます。
package com.myapp.security.authentication;
import org.springframework.web.filter.GenericFilterBean;
import javax.servlet.FilterChain;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import Java.io.IOException;
public class ExpiredSessionFilter extends GenericFilterBean {
static final String FILTER_APPLIED = "__spring_security_expired_session_filter_applied";
@Override
public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain) throws IOException, ServletException {
HttpServletRequest request = (HttpServletRequest) req;
HttpServletResponse response = (HttpServletResponse) res;
if (request.getAttribute(FILTER_APPLIED) != null) {
chain.doFilter(request, response);
return;
}
request.setAttribute(FILTER_APPLIED, Boolean.TRUE);
if (request.getRequestedSessionId() != null && !request.isRequestedSessionIdValid()) {
response.sendError(HttpServletResponse.SC_INTERNAL_SERVER_ERROR, "SESSION_TIMED_OUT");
return;
}
chain.doFilter(request, response);
}
}
これは非常に簡単だと思うアプローチです。これは、私がこのサイトで観察したアプローチの組み合わせです。私はそれについてブログ投稿を書きました: http://yoyar.com/blog/2012/06/dealing-with-the-spring-security-ajax-session-timeout-problem/
基本的な考え方は、認証エントリポイントとともに、上記で提案したapi urlプレフィックス(つまり、/ api/secured)を使用することです。シンプルで機能します。
認証エントリポイントは次のとおりです。
package com.yoyar.yaya.config;
import org.springframework.security.core.AuthenticationException;
import org.springframework.security.web.authentication.LoginUrlAuthenticationEntryPoint;
import javax.servlet.ServletException;
import javax.servlet.http.*;
import Java.io.IOException;
public class AjaxAwareAuthenticationEntryPoint
extends LoginUrlAuthenticationEntryPoint {
public AjaxAwareAuthenticationEntryPoint(String loginUrl) {
super(loginUrl);
}
@Override
public void commence(
HttpServletRequest request,
HttpServletResponse response,
AuthenticationException authException)
throws IOException, ServletException {
boolean isAjax
= request.getRequestURI().startsWith("/api/secured");
if (isAjax) {
response.sendError(403, "Forbidden");
} else {
super.commence(request, response, authException);
}
}
}
そして、これがあなたのSpringContextxmlに含まれるものです:
<bean id="authenticationEntryPoint"
class="com.yoyar.yaya.config.AjaxAwareAuthenticationEntryPoint">
<constructor-arg name="loginUrl" value="/login"/>
</bean>
<security:http auto-config="true"
use-expressions="true"
entry-point-ref="authenticationEntryPoint">
<security:intercept-url pattern="/api/secured/**" access="hasRole('ROLE_USER')"/>
<security:intercept-url pattern="/login" access="permitAll"/>
<security:intercept-url pattern="/logout" access="permitAll"/>
<security:intercept-url pattern="/denied" access="hasRole('ROLE_USER')"/>
<security:intercept-url pattern="/" access="permitAll"/>
<security:form-login login-page="/login"
authentication-failure-url="/loginfailed"
default-target-url="/login/success"/>
<security:access-denied-handler error-page="/denied"/>
<security:logout invalidate-session="true"
logout-success-url="/logout/success"
logout-url="/logout"/>
</security:http>
現在の回答はすべて数年前のものであるため、現在SpringBootで作業しているソリューションを共有しますRESTアプリケーション:
@Configuration
@EnableWebSecurity
public class UISecurityConfig extends WebSecurityConfigurerAdapter {
@Override
protected void configure(HttpSecurity http) throws Exception {
...
http.exceptionHandling.authenticationEntryPoint(authenticationEntryPoint());
...
}
private AuthenticationEntryPoint authenticationEntryPoint() {
// As a REST service there is no 'authentication entry point' like MVC which can redirect to a login page
// Instead just reply with 401 - Unauthorized
return (request, response, authException) -> response.sendError(HttpServletResponse.SC_UNAUTHORIZED, authException.getMessage());
}
}
ここでの基本的な前提は、デフォルトで存在しないログインページへのリダイレクトを発行していた認証エントリポイントをオーバーライドすることです。これで、401を送信して応答します。Springは、標準のエラー応答JSONオブジェクトも暗黙的に作成し、それも返します。
私はバックエンドで@Mattによる同じソリューションを使用します。フロントエンドでangularJsを使用している場合は、以下のインターセプターをangular $ httpに追加して、ブラウザーが実際にログインページにリダイレクトできるようにします。
var HttpInterceptorModule = angular.module('httpInterceptor', [])
.config(function ($httpProvider) {
$httpProvider.interceptors.Push('myInterceptor');
$httpProvider.defaults.headers.common["X-Requested-With"] = 'XMLHttpRequest';
})
.factory('myInterceptor', function ($q) {
return {
'responseError': function(rejection) {
// do something on error
if(rejection.status == 403 || rejection.status == 401) window.location = "login";
return $q.reject(rejection);
}
};
});
以下の行は、バージョン1.1.1以降でAngularJsを使用している場合にのみ必要であることに注意してください(angularJSはそのバージョン以降のヘッダー「X-Requested-With」を削除しました)
$httpProvider.defaults.headers.common["X-Requested-With"] = 'XMLHttpRequest';