如何在Spring Boot 中处理MethodArgumentTypeMismatchException并设置自定义错误消息?

oug3syen  于 2024-01-05  发布在  Spring
关注(0)|答案(1)|浏览(244)

我正在做一个REST API,当我故意尝试错误的输入来强制错误时,我在这个API中遇到了麻烦:
第一个月
答复的正文如下:

  1. {
  2. "timestamp": "2023-12-01T22:43:11.433+00:00",
  3. "status": 400,
  4. "error": "Bad Request",
  5. "message": "Failed to convert value of type 'java.lang.String' to required type 'java.lang.Long'; For input string: \"43178asdas\"",
  6. "path": "/objectName/43178asdas"
  7. }

字符串
我想为这个错误创建一个自定义消息,让它更清楚地表明预期的输入是Long类型,但请求收到的却是String类型,但我无法处理这个异常。
我所尝试的:

  1. public class ThisObjectInvalidaException extends TypeMismatchException {
  2. public ThisObjectInvalidaException(String msg){
  3. super(msg);
  4. }
  5. }


  1. public SaidObject consult(Long param) throws ThisObjectInvalidaException {
  2. try {
  3. return this.objRepository.findById(identifier)
  4. .orElseThrow(() -> new ResponseStatusException(HttpStatus.NOT_FOUND, "No object found with the following IDENTIFIER: " + identifier + "."));
  5. } catch (TypeMismatchException e){
  6. throw new ThisObjectInvalidaException("The IDENTIFIER you entered is invalid, as it should contain only numbers.");
  7. }
  8. }


也许我在错误类型中遗漏了一些东西,但不确定。

r9f1avp5

r9f1avp51#

您可以简单地将ExceptionException添加到控制器。
范例:

  1. @RestController
  2. public class YourController {
  3. // Your endpoint mappings
  4. @ExceptionHandler(MethodArgumentTypeMismatchException.class)
  5. public ResponseEntity<String> handleTypeMismatch(MethodArgumentTypeMismatchException ex) {
  6. String error = "The IDENTIFIER you entered is invalid, as it should contain only numbers.";
  7. return new ResponseEntity<>(error, HttpStatus.BAD_REQUEST);
  8. }
  9. }

字符串
作为替代解决方案,您可以创建自定义异常并抛出它。
例二:

  1. public class IdentifierFormatException extends RuntimeException {
  2. public IdentifierFormatException(String message) {
  3. super(message);
  4. }
  5. }


然后将其添加到异常处理程序:

  1. @ExceptionHandler(MethodArgumentTypeMismatchException.class)
  2. public ResponseEntity<String> handleTypeMismatch(MethodArgumentTypeMismatchException ex) {
  3. throw new IdentifierFormatException("The IDENTIFIER you entered is invalid, as it should contain only numbers.");
  4. }

展开查看全部

相关问题