서블릿의 예외 처리 지원 방법
WAS(여기까지 전파) <- 필터 <- 서블릿 <- 인터셉터 <- 컨트롤러(예외발생)
response.sendError(HTTP 상태 코드)
response.sendError(HTTP 상태 코드, 오류 메시지)
WAS(sendError 호출 기록 확인) <- 필터 <- 서블릿 <- 인터셉터 <- 컨트롤러 (response.sendError())
response.sendError()
를 호출하면 response 내부에는 오류가 발생했다는 상태를 저장해둠sendError()
가 호출되었는지 확인서블릿은 Exception(예외)가 발생해서 서블릿 밖으로 전달되거나 또는 response.sendError()
가 호출 되었을 때 각각의 상황에 맞춘 오류 처리 기능을 제공
서블릿 오류 페이지 등록
@Component
public class WebServerCustomizer
implements WebServerFactoryCustomizer<ConfigurableWebServerFactory> {
//이렇게 하라고 지정이 되어있기 때문에 그대로 사용
//기본 오류페이지를 커스텀 해서 사용하기 위해 사용
@Override
public void customize(ConfigurableWebServerFactory factory) {
ErrorPage errorPage404 =
new ErrorPage(HttpStatus.NOT_FOUND, "/error-page/404");
//404에러가 나면 /error-page/400 컨트롤러 호출
ErrorPage errorPage500 =
new ErrorPage(HttpStatus.INTERNAL_SERVER_ERROR, "/error-page/500");
ErrorPage errorPageEx =
new ErrorPage(RuntimeException.class, "/error-page/500");
//RuntimeException이 발생하면
factory.addErrorPages(errorPage404, errorPage500, errorPageEx);
//등록
}
}
response.sendError(404)
: errorPage404 호출response.sendError(500)
: errorPage500 호출서버 내부에서 오류가 발생하고 WAS까지 도달하면 WAS에서 다시 해당 오류에 등록된 error 경로를 호출 > 오류 페이지를 처리할 컨트롤러가 필요함
컨트롤러
//오류 발생 시 오류 화면을 보여주기 위한 컨트롤러
@RequestMapping("/error-page/404")
public String errorPage404 (HttpServletRequest request,HttpServletResponse response){
log.info("errorPage 404");
return "error-page/404";
}
@RequestMapping("/error-page/500")
public String errorPage500 (HttpServletRequest request,HttpServletResponse response){
log.info("errorPage 500");
return "error-page/500";
}
/error-page/500
이 지정되어 있는 경우 WAS는 오류 페이지를 출력하기 위해 /error-page/500
를 다시 요청1. WAS(여기까지 전파) <- 필터 <- 서블릿 <- 인터셉터 <- 컨트롤러(예외발생)
2. WAS `/error-page/500` 다시 요청 -> 필터 -> 서블릿 -> 인터셉터 ->
컨트롤러(/errorpage/500) -> View
오류 정보 추가
public enum DispatcherType {
FORWARD,
INCLUDE,
REQUEST,
ASYNC,
ERROR
}
dispatcherType=REQUEST
출력dispatchType=ERROR
출력@Configuration
public class WebConfig implements WebMvcConfigurer {
@Bean
public FilterRegistrationBean logFilter(){
FilterRegistrationBean<Filter> filterRegistrationBean=
new FilterRegistrationBean<>();
filterRegistrationBean.setFilter(new LogFilter());
filterRegistrationBean.setOrder(1);
filterRegistrationBean.addUrlPatterns("/*");
filterRegistrationBean.setDispatcherTypes(
DispatcherType.REQUEST,DispatcherType.ERROR);
//이 필터는 REQUEST, ERROR 두가지의 경우에 호출이 된다
return filterRegistrationBean;
}
}
setDispatcherTypes
으로 원하는 Dispatcher 타입에만 해당 필터를 적용하게 할 수 있음DispatcherType.REQUEST
라서 따로 설정하지 않아도 클라이언트의 요청이 있는 경우에만 필터가 적용됨@Configuration
public class WebConfig implements WebMvcConfigurer {
@Override
public void addInterceptors(InterceptorRegistry registry) {
registry.addInterceptor(new LogInterceptor())
.order(1)
.addPathPatterns("/**")
.excludePathPatterns("/css/**","*.ico","/error","/error-page/**");
//오류 페이지 경로
//인터셉터는 필터처럼 setDispatcherTypes는 없지만 excludePathPatterns를 활용
}
}
setDispatcherType
이 적용되지 않음excludePathPatterns
를 사용해서 오류 페이지 경로를 빼줌정상요청일 때
WAS(/hello, dispatchType=REQUEST) -> 필터 -> 서블릿 -> 인터셉터 -> 컨트롤러 -> View
오류 요청일 때
1. WAS(/error-ex, dispatchType=REQUEST) -> 필터 -> 서블릿 -> 인터셉터 -> 컨트롤러
2. WAS(여기까지 전파) <- 필터 <- 서블릿 <- 인터셉터 <- 컨트롤러(예외발생)
3. WAS 오류 페이지 확인
4. WAS(/error-page/500, dispatchType=ERROR) -> 필터(x) -> 서블릿 -> 인터셉터(x) ->
컨트롤러(/error-page/500) -> View
setDispatcherTypes(dispatchType=REQUEST)
excludePathPatterns("/error-page/**")
/error
경로로 설정하여 ErrorPage를 자동 등록 new ErrorPage("/error")
/error
를 호출/error
를 매핑해서 처리뷰 선택 우선순위
1. 뷰 템플릿
resources/templates/error/500.html
resources/templates/error/5xx.html
2. 정적 리소스( static , public )
resources/static/error/400.html
resources/static/error/404.html
resources/static/error/4xx.html
3. 적용 대상이 없을 때 뷰 이름( error )
resources/templates/error.html
파일 이름
정리
오류 페이지를 사용하고 싶으면 상태코드에 따라서 해당 경로 위치에 html 파일만 만들어주면 됨, 나머지는 스프링부트가 다 해줌