Spring 引导全局异常处理程序不捕获 HttpMessageNotReadableException

Spring Boot Global Exception Handler does not Capture HttpMessageNotReadableException

我有一个全局异常处理程序,它可以很好地捕获从我的控制器、服务层或存储库层抛出的异常。但是,它无法捕获在进入我的控制器之前发生的异常。具体来说,我有一个 POST 控制器,它需要一个有效的 json 主体,如果实际的 json 主体格式不正确,则会抛出 HttpMessageNotReadableException,我不知道这在哪里异常得到处理。响应代码确实是400所以我的问题是,如何使用我自己的逻辑来捕获和处理在进入我的控制器之前发生的消息反序列化异常。

我的全局异常处理程序(它适用于从我的服务层抛出的异常)

@ControllerAdvice(basePackageClasses = TopologyApiController.class)
public class GlobalExceptionHandler extends ResponseEntityExceptionHandler {
  private static final String UNKNOWN_SERVER_ERROR_MSG = "Unknown server error";

  @ExceptionHandler(value = {ServiceException.class})
  public ResponseEntity<ErrorResponse> handleServiceException(Exception ex, WebRequest request) {
    // some handling
    return generateExceptionResponseEntity(errorMessage, status);
  }

  @ExceptionHandler(value = {Exception.class})
  public ResponseEntity<ErrorResponse> handleGeneralException(Exception ex, WebRequest request) {
    return generateExceptionResponseEntity(UNKNOWN_SERVER_ERROR_MSG, HttpStatus.INTERNAL_SERVER_ERROR);
  }

  private ResponseEntity<ErrorResponse> generateExceptionResponseEntity(String message, HttpStatus status) {
    ErrorResponse response = new ErrorResponse();
    response.setMessage(message);
    return ResponseEntity.status(status).body(response);
  }
}

我的 POST 控制器(期望 json 主体反序列化为 CityInfo 对象)

@RequestMapping(value = API_BASE + "/topology/cities", method = RequestMethod.POST)
ResponseEntity<CityInfo> topologyCitiesPost(@Valid @RequestBody CityInfo body) {
  CityInfo cityInfo = topologyService.addCity(body);
  return ResponseEntity.status(HttpStatus.CREATED).body(cityInfo);
}

控制器需要下面形式的 json 主体,如果 json 有效,整个代码工作正常。

{
  "description": "string",
  "name": "string",
  "tag": "string"
}

但如果实际内容如下所示(例如,末尾有几个逗号),将抛出 HttpMessageNotReadableException 并且我的处理程序不会捕获它。

{
  "description": "this is description",
  "name": "city name",
  "tag": "city tag",,,,
}

这个:所以我的问题是,如何使用我自己的逻辑来捕获和处理在进入我的控制器之前发生的消息反序列化异常。

注释并为该特定异常编写异常处理程序。将此添加到您的 GlobalExceptionHandler class:

@ExceptionHandler(HttpMessageNotReadableException.class)
  public ResponseEntity<ErrorResponse> handleMessageNotReadableException(Exception ex, WebRequest request) {
    // some handling
    return generateExceptionResponseEntity(errorMessage, status);
  }