SpringBoot的validation参数校验
Spring Boot 提供了一个强大的验证框架,可以通过注解来对请求参数进行校验。以下是一个使用 Spring Boot 的 validation 参数检验的简单示例:
首先,添加依赖到你的 pom.xml
:
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-validation</artifactId>
</dependency>
然后,创建一个实体类并使用注解指定验证规则:
import javax.validation.constraints.Min;
import javax.validation.constraints.NotBlank;
import javax.validation.constraints.Size;
public class User {
@NotBlank(message = "用户名不能为空")
@Size(min = 3, max = 20, message = "用户名长度必须在3到20个字符之间")
private String username;
@Min(value = 18, message = "年龄必须大于等于18岁")
private int age;
// 省略 getter 和 setter 方法
}
接下来,在你的 Controller 中使用 @Valid
注解来触发验证:
import org.springframework.validation.annotation.Validated;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class UserController {
@PostMapping("/user")
public String createUser(@Validated @RequestBody User user) {
// 验证通过后的逻辑
return "用户创建成功";
}
}
如果验证失败,Spring 默认会返回 400 (Bad Request)HTTP 状态码,并返回一个包含错误信息的响应体。
你也可以自定义异常处理来更好地处理验证失败的情况:
import org.springframework.http.HttpStatus;
import org.springframework.web.bind.MethodArgumentNotValidException;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseStatus;
import org.springframework.web.bind.annotation.RestControllerAdvice;
import org.springframework.web.context.request.WebRequest;
@RestControllerAdvice
public class GlobalExceptionHandler {
@ResponseStatus(HttpStatus.BAD_REQUEST)
@ExceptionHandler(MethodArgumentNotValidException.class)
public String handleValidationExceptions(MethodArgumentNotValidException ex) {
// 构建错误信息
// 可以返回自定义的错误信息结构
return "Validation error: " + ex.getBindingResult().toString();
}
}
以上代码展示了如何在 Spring Boot 应用中使用内置的 validation 功能来对请求参数进行校验。
评论已关闭