Spring Boot之全局异常处理:404异常为何捕获不到?
在Spring Boot中,全局异常处理可以帮助我们更好地处理应用程序中出现的各种异常。但是,有时候我们可能会遇到一个问题,那就是无法捕获到404异常。这通常发生在我们尝试访问一个不存在的资源时,Spring Boot默认的异常处理机制不会将其作为一个异常来处理。
解决方法:
- 使用
@ControllerAdvice
和@ExceptionHandler
注解来创建全局异常处理器。 - 使用
ResponseStatusException
来捕获404异常。
示例代码:
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseStatus;
import org.springframework.web.servlet.NoHandlerFoundException;
import org.springframework.http.HttpStatus;
import org.springframework.web.server.ResponseStatusException;
@ControllerAdvice
public class GlobalExceptionHandler {
@ExceptionHandler(NoHandlerFoundException.class)
public ResponseEntity<Object> handleNoHandlerFoundException(NoHandlerFoundException ex) {
return ResponseEntity.status(HttpStatus.NOT_FOUND).body("No handler found for the request.");
}
@ExceptionHandler(ResponseStatusException.class)
public ResponseEntity<Object> handleResponseStatusException(ResponseStatusException ex) {
return ResponseEntity.status(ex.getStatus()).body(ex.getReason());
}
// 其他异常处理...
}
在上述代码中,我们首先捕获了NoHandlerFoundException
,这是Spring用来表示没有找到处理器(即Controller中的方法)的异常。然后,我们捕获了更一般的ResponseStatusException
,这个异常可以用来表示具有特定HTTP状态码的错误。
通过这种方式,我们可以确保所有404异常都能被捕获并适当地处理,而不会让它们传播到用户那里。这样,我们就可以在用户请求了一个不存在的资源时,得到一个更加友好的响应,而不是一个全是堆栈跟踪信息的错误页面。
评论已关闭