> Java > java지도 시간 > Spring MVC 예외를 균일하게 처리하는 세 가지 방법

Spring MVC 예외를 균일하게 처리하는 세 가지 방법

(*-*)浩
풀어 주다: 2019-08-29 16:22:01
앞으로
3573명이 탐색했습니다.

Spring에는 통합 예외를 처리하는 세 가지 방법이 있습니다. 즉,

@ExceptionHandler 주석 사용, HandlerExceptionResolver 인터페이스 구현, @controlleradvice 주석 사용

Spring MVC 예외를 균일하게 처리하는 세 가지 방법

@ExceptionHandler 주석 사용

이 주석을 사용하면 단점이 있습니다. 중요한 점은 예외 처리 방법이 오류를 발생시킨 방법과 동일한 컨트롤러에 있어야 한다는 것입니다. 다음과 같이 사용하세요:

@Controller      
public class GlobalController {
/**    
     * 用于处理异常的    
     * @return    
     */      
@ExceptionHandler({MyException.class})
public String exception(MyException e) {
System.out.println(e.getMessage());
e.printStackTrace();
return "exception";
}
@RequestMapping("test")
public void test() {
throw new MyException("出错了!");
}
}
로그인 후 복사

보시다시피 이 방법의 가장 큰 결점은 예외를 전역적으로 제어할 수 없다는 것입니다. 각 클래스는 한 번만 작성해야 합니다.

HandlerExceptionResolver 인터페이스를 구현하세요

이 메서드를 사용하면 전역 예외 제어가 가능합니다. 예:

@Component  
public class ExceptionTest implements HandlerExceptionResolver{
/**  
     * TODO 简单描述该方法的实现功能(可选).  
     * @see org.springframework.web.servlet.HandlerExceptionResolver#resolveException(javax.servlet.http.HttpServletRequest, javax.servlet.http.HttpServletResponse, java.lang.Object, java.lang.Exception)  
     */  
public ModelAndView resolveException(HttpServletRequest request, HttpServletResponse response, Object handler,  
            Exception ex) {
System.out.println("This is exception handler method!");
return null;
}
}
로그인 후 복사

@ControllerAdvice+ @ExceptionHandler 주석 사용

위에서 언급한 것처럼 @ExceptionHandler 예외 처리가 필요한 메서드는 오류를 발생시킨 메서드와 동일한 Controller에 있어야 합니다. 그런 다음 코드에 @ControllerAdvice를 추가하면 동일한 컨트롤러에 있을 필요가 없습니다. 이는 Spring 3.2에서 추가된 새로운 기능이기도 합니다. 이름에서 알 수 있듯이 일반적으로 컨트롤러 향상을 의미합니다. 즉, @controlleradvice + @ExceptionHandler도 전역 예외 포착을 달성할 수 있습니다.

이 WebExceptionHandle 클래스를 스캔하여 Spring 컨테이너에 로드할 수 있는지 확인하세요.

@ControllerAdvice
@ResponseBody
public class WebExceptionHandle {
private static Logger logger = LoggerFactory.getLogger(WebExceptionHandle.class);
/**
     * 400 - Bad Request
     */
@ResponseStatus(HttpStatus.BAD_REQUEST)
@ExceptionHandler(HttpMessageNotReadableException.class)
public ServiceResponse handleHttpMessageNotReadableException(HttpMessageNotReadableException e) {
logger.error("参数解析失败", e);
return ServiceResponseHandle.failed("could_not_read_json");
}
/**
     * 405 - Method Not Allowed
     */
@ResponseStatus(HttpStatus.METHOD_NOT_ALLOWED)
@ExceptionHandler(HttpRequestMethodNotSupportedException.class)
public ServiceResponse handleHttpRequestMethodNotSupportedException(HttpRequestMethodNotSupportedException e) {
logger.error("不支持当前请求方法", e);
return ServiceResponseHandle.failed("request_method_not_supported");
}
/**
     * 415 - Unsupported Media Type
     */
@ResponseStatus(HttpStatus.UNSUPPORTED_MEDIA_TYPE)
@ExceptionHandler(HttpMediaTypeNotSupportedException.class)
public ServiceResponse handleHttpMediaTypeNotSupportedException(Exception e) {
logger.error("不支持当前媒体类型", e);
return ServiceResponseHandle.failed("content_type_not_supported");
}
/**
     * 500 - Internal Server Error
     */
@ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
@ExceptionHandler(Exception.class)
public ServiceResponse handleException(Exception e) {
if (e instanceof BusinessException){
return ServiceResponseHandle.failed("BUSINESS_ERROR", e.getMessage());
}
logger.error("服务运行异常", e);
e.printStackTrace();
return ServiceResponseHandle.failed("server_error");
}
}
로그인 후 복사

처리할 예외 유형이 @ExceptionHandler 주석에 선언되지 않은 경우 매개변수 목록의 예외 유형이 기본값으로 설정됩니다. 따라서 다음과 같이 작성할 수도 있습니다:

@ControllerAdvice
public class GlobalExceptionHandler {
@ExceptionHandler()
@ResponseBody
String handleException(Exception e){
return "Exception Deal! " + e.getMessage();
}
}
로그인 후 복사

매개변수 객체는 컨트롤러 레이어에서 발생하는 예외 객체입니다!

Rest 인터페이스에 대한 전역 예외 캡처를 구현하려면 ResponseEntityExceptionHandler 클래스를 상속하고 사용자 정의 형식을 반환할 수 있습니다.

@Slf4j
@ControllerAdvice
public class ExceptionHandlerBean  extends ResponseEntityExceptionHandler {
/**
     * 数据找不到异常
     * @param ex
     * @param request
     * @return
     * @throws IOException
     */
@ExceptionHandler({DataNotFoundException.class})
public ResponseEntity<Object> handleDataNotFoundException(RuntimeException ex, WebRequest request) throws IOException {
return getResponseEntity(ex,request,ReturnStatusCode.DataNotFoundException);
}
/**
     * 根据各种异常构建 ResponseEntity 实体. 服务于以上各种异常
     * @param ex
     * @param request
     * @param specificException
     * @return
     */
private ResponseEntity<Object> getResponseEntity(RuntimeException ex, WebRequest request, ReturnStatusCode specificException) {
ReturnTemplate returnTemplate = new ReturnTemplate();
returnTemplate.setStatusCode(specificException);
returnTemplate.setErrorMsg(ex.getMessage());
return handleExceptionInternal(ex, returnTemplate,
new HttpHeaders(), HttpStatus.OK, request);
}
}
로그인 후 복사

위 내용은 Spring MVC 예외를 균일하게 처리하는 세 가지 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:csdn.net
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
최신 이슈
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿