如何在 Spring Boot 中处理异常 详细
时间: 2024-05-03 22:17:20 浏览: 78
在 Spring Boot 中,可以通过以下方式处理异常:
1. 使用 @ExceptionHandler 注解处理控制器中抛出的异常:
```java
@ControllerAdvice
public class ExceptionHandlerController {
@ExceptionHandler(Exception.class)
public ModelAndView handleException(Exception e) {
ModelAndView mav = new ModelAndView();
mav.addObject("exception", e);
mav.setViewName("error");
return mav;
}
}
```
在上面的例子中,@ControllerAdvice 注解表示该类是一个全局异常处理器,@ExceptionHandler 注解表示该方法处理抛出的 Exception 类型异常。当控制器中抛出异常时,会调用该方法进行处理,返回一个 ModelAndView 对象,其中包含异常信息和错误视图。
2. 使用 @RestControllerAdvice 注解处理 RESTful API 中抛出的异常:
```java
@RestControllerAdvice
public class ExceptionHandlerController {
@ExceptionHandler(Exception.class)
public ResponseEntity<ErrorResponse> handleException(Exception e) {
ErrorResponse error = new ErrorResponse();
error.setMessage(e.getMessage());
error.setStatus(HttpStatus.INTERNAL_SERVER_ERROR.value());
return new ResponseEntity<>(error, HttpStatus.INTERNAL_SERVER_ERROR);
}
}
```
在上面的例子中,@RestControllerAdvice 注解表示该类是一个全局异常处理器,返回的是一个 JSON 格式的错误响应。@ExceptionHandler 注解表示该方法处理抛出的 Exception 类型异常。当 RESTful API 中抛出异常时,会调用该方法进行处理,返回一个 ResponseEntity 对象,其中包含错误信息和 HTTP 状态码。
3. 使用 @ControllerAdvice 和 @ExceptionHandler 注解处理指定异常:
```java
@ControllerAdvice
public class ExceptionHandlerController {
@ExceptionHandler(value = {IllegalArgumentException.class, IllegalStateException.class})
public ModelAndView handleException(Exception e) {
ModelAndView mav = new ModelAndView();
mav.addObject("exception", e);
mav.setViewName("error");
return mav;
}
}
```
在上面的例子中,@ExceptionHandler 注解指定了处理 IllegalArgumentException 和 IllegalStateException 类型异常,当控制器中抛出这两种异常时,会调用该方法进行处理。
通过上述方式,可以很方便地处理 Spring Boot 应用程序中的异常。
阅读全文