• hibernate-validator后端表单数据校验的使用


    hibernate-validator后端表单数据校验的使用

    1、hibernate-validator介绍

    早期的网站,用户输入一个邮箱地址,需要将邮箱地址发送到服务端,服务端进行校验,校验成功后,给前端一个响应。

    有了JavaScript后,校验工作可以放在前端去执行。那么为什么还需要服务端校验呢? 因为前端传来的数据不可信。前端很容易获取到后端的接口,如果有人直接调用接口,就可能会出现非法数据,所以服务端也要数据校验

    总的来说:

    • 前端校验:主要是提高用户体验
    • 后端校验:主要是保证数据安全可靠

    校验参数基本上是一个体力活,而且冗余代码繁多,也影响代码的可读性,我们需要一个比较优雅的方式来解决这个问题。Hibernate Validator 框架刚好解决了这个问题,可以以很优雅的方式实现参数的校验,让业务代码和校验逻辑分开,不再编写重复的校验逻辑。

    hibernate-validator优势:

    • 验证逻辑与业务逻辑之间进行了分离,降低了程序耦合度
    • 统一且规范的验证方式,无需你再次编写重复的验证代码
    • 你将更专注于你的业务,将这些繁琐的事情统统丢在一边

    hibernate-validator的maven坐标:

    <dependency>
          <groupId>org.hibernategroupId>
          <artifactId>hibernate-validatorartifactId>
          <version>6.0.18.Finalversion>
    dependency>
    
    • 1
    • 2
    • 3
    • 4
    • 5

    提示:spring-boot-starter-web中已经依赖了hibernate-validator

    2、hibernate-validator常用注解

    hibernate-validator提供的校验方式为在类的属性上加入相应的注解来达到校验的目的。hibernate-validator提供的用于校验的注解如下:

    注解说明
    @AssertTrue用于boolean字段,该字段只能为true
    @AssertFalse用于boolean字段,该字段只能为false
    @CreditCardNumber对信用卡号进行一个大致的验证
    @DecimalMax只能小于或等于该值
    @DecimalMin只能大于或等于该值
    @Email检查是否是一个有效的email地址
    @Future检查该字段的日期是否是属于将来的日期
    @Length(min=,max=)检查所属的字段的长度是否在min和max之间,只能用于字符串
    @Max该字段的值只能小于或等于该值
    @Min该字段的值只能大于或等于该值
    @NotNull不能为null
    @NotBlank不能为空,检查时会将空格忽略
    @NotEmpty不能为空,这里的空是指空字符串
    @Pattern(regex=)被注释的元素必须符合指定的正则表达式
    @URL(protocol=,host,port)检查是否是一个有效的URL,如果提供了protocol,host等,则该URL还需满足提供的条件

    3、 hibernate-validator入门案例

    3.1、第一步:创建maven工程hibernate-validator_demo并配置pom.xml文件

    spring-boot-starter-web中已经依赖了hibernate-validator

    
    <project xmlns="http://maven.apache.org/POM/4.0.0"
             xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0modelVersion>
        <parent>
            <groupId>org.springframework.bootgroupId>
            <artifactId>spring-boot-starter-parentartifactId>
            <version>2.2.2.RELEASEversion>
            <relativePath/>
        parent>
        <groupId>org.examplegroupId>
        <artifactId>hibernate-validator_demoartifactId>
        <version>1.0-SNAPSHOTversion>
    
        <properties>
            <maven.compiler.source>8maven.compiler.source>
            <maven.compiler.target>8maven.compiler.target>
        properties>
    
        <dependencies>
            
            <dependency>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-starter-webartifactId>
            dependency>
            <dependency>
                <groupId>org.projectlombokgroupId>
                <artifactId>lombokartifactId>
            dependency>
            
        dependencies>
    
    project>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40

    3.2、创建实体类

    NotEmpty:不能为空字符串

    package com.zcl.entity;
    
    import lombok.Data;
    import org.hibernate.validator.constraints.Length;
    
    import javax.validation.constraints.*;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:用户实体类
     *
     * @author zhong
     * @date 2022-08-29 12:48
     */
    @Data
    public class User {
        @NotNull(message = "用户id不能为空")
        private Integer id;
    
        @NotEmpty(message = "用户名不能为空")
        @Length(max = 50, message = "用户名长度不能超过50")
        private String username;
    
        @Max(value = 80,message = "年龄最大为80")
        @Min(value = 18,message = "年龄最小为18")
        private int age;
    
        @Pattern(regexp = "[a-zA-Z0-9_-]+@[a-zA-Z0-9_-]+(\\.[a-zA-Z0-9_-]+)+$",
                message = "邮箱格式不正确")
        private String email;
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32

    3.3、创建UserController

    package com.zcl.controller;
    
    import com.zcl.entity.User;
    import org.springframework.validation.annotation.Validated;
    import org.springframework.web.bind.annotation.RequestMapping;
    import org.springframework.web.bind.annotation.RestController;
    
    import javax.validation.constraints.NotBlank;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:用户控制器
     *
     * @author zhong
     * @date 2022-08-29 12:53
     */
    @RestController
    @RequestMapping("/user")
    @Validated
    public class UserController {
        /**
         * 简单数据类型校验
         * @param id
         * @return
         */
        @RequestMapping("/delete")
        public String delete(@NotBlank(message = "id不能为空") String id){
            System.out.println("delete..." + id);
            return "OK";
        }
    
        /**
         * 对象属性校验
         * @param user
         * @return
         */
        @RequestMapping("/save")
        public String save(@RequestBody @Validated User user){
            System.out.println("save..." + user);
            return "OK";
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43

    3.4、创建项目启动类

    package com.zcl;
    
    import org.springframework.boot.SpringApplication;
    import org.springframework.boot.autoconfigure.SpringBootApplication;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:项目启动类
     *
     * @author zhong
     * @date 2022-08-29 13:04
     */
    @SpringBootApplication
    public class HibernateValidatorApp {
        public static void main(String[] args) {
            SpringApplication.run(HibernateValidatorApp.class, args);
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19

    3.5、创建application.yml配置文件

    该配置文件可有可无

    server:
      port: 8080
    
    • 1
    • 2

    4、启动项目测试

    使用测试工具或插件进行访问:http://localhost:8080/user/delete

    4.1、删除控制器没有携带数据

    当id为空的时候会直接报错响应到前端页面

    在这里插入图片描述

    4.2、删除控制器携带id时

    在这里插入图片描述

    4.2、访问对象属性校验不携带数据时

    提示有三个报错信息

    在这里插入图片描述

    IDEA控制台查看
    在这里插入图片描述

    4.3、访问对象属性校验携带数据时

    在这里插入图片描述

    5、处理异常信息

    config包下创建全局的异常处理器,全局捕获@RestController@Controller的注解控制器

    package com.zcl.config;
    
    import org.springframework.stereotype.Controller;
    import org.springframework.validation.BindException;
    import org.springframework.web.bind.annotation.ControllerAdvice;
    import org.springframework.web.bind.annotation.ExceptionHandler;
    import org.springframework.web.bind.annotation.ResponseBody;
    import org.springframework.web.bind.annotation.RestController;
    
    import javax.servlet.http.HttpServletRequest;
    import javax.validation.ConstraintViolation;
    import javax.validation.ConstraintViolationException;
    import java.util.Set;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:全局的异常处理
     *
     * @author zhong
     * @date 2022-08-29 13:17
     */
    @ControllerAdvice(annotations = {RestController.class, Controller.class})
    @ResponseBody
    public class ExceptionConfiguration {
        // 定义只捕获着两种异常
        @ExceptionHandler({ConstraintViolationException.class, BindException.class})
        public String validateException(Exception ex, HttpServletRequest request) {
            ex.printStackTrace();
            String msg = null;
            if(ex instanceof ConstraintViolationException){
                // 异常信息强转
                ConstraintViolationException constraintViolationException =
                        (ConstraintViolationException)ex;
                // 获取异常信息
                Set<ConstraintViolation<?>> violations =
                        constraintViolationException.getConstraintViolations();
                ConstraintViolation<?> next = violations.iterator().next();
                msg = next.getMessage();
            }else if(ex instanceof BindException){
                BindException bindException = (BindException)ex;
                msg = bindException.getBindingResult().getFieldError().getDefaultMessage();
            }
            return msg;
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46

    6、重新启动项目测试

    在这里插入图片描述

    注意:当我们的请求【http://localhost:8080/user/save?id=1】控制器的时候,不是使用get请求或者路径的方式提交参数,后端的全局拦截代码是捕获不到异常信息的,返回的还是之前的直接错误显示在前端的浏览器上。通过get请求以及路径参数的方式提交就可以了

    7、修改代码,一次校验不通过就不再执行

    创建ValidatorConfiguration类,指定校验时使用快速失败返回模式

    package com.zcl.config;
    
    import org.hibernate.validator.HibernateValidator;
    import org.springframework.context.annotation.Bean;
    import org.springframework.validation.beanvalidation.MethodValidationPostProcessor;
    
    import javax.validation.Validation;
    import javax.validation.Validator;
    import javax.validation.ValidatorFactory;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:指定校验时使用快速失败返回模式
     *
     * @author zhong
     * @date 2022-08-29 13:38
     */
    public class ValidatorConfiguration {
        @Bean
        public Validator validator() {
            ValidatorFactory validatorFactory =
                    Validation.byProvider(HibernateValidator.class)
                            .configure()
                            //快速失败返回模式
                            .addProperty("hibernate.validator.fail_fast", "true")
                            .buildValidatorFactory();
            return validatorFactory.getValidator();
        }
    
        /**
         * 开启快速返回
         * 如果参数校验有异常,直接抛异常,不会进入到 controller,使用全局异常拦截进行拦截
         */
        @Bean
        public MethodValidationPostProcessor methodValidationPostProcessor() {
            MethodValidationPostProcessor postProcessor =
                    new MethodValidationPostProcessor();
            /**设置validator模式为快速失败返回*/
            postProcessor.setValidator(validator());
            return postProcessor;
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43

    注意:上面创建的类并不是配置类,所以到目前为止快速失败返回模式并不会生效,为了使其生效需要创建一个注解用于控制此模式的开启

    8、创建注解EnableFormValidator用于控制快速失败返回模式的开启

    package com.zcl.config;
    
    import org.springframework.context.annotation.Import;
    
    import java.lang.annotation.ElementType;
    import java.lang.annotation.Retention;
    import java.lang.annotation.RetentionPolicy;
    import java.lang.annotation.Target;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:在启动类上添加该注解来启动表单验证功能---快速失败返回模式
     *
     * @author zhong
     * @date 2022-08-29 13:41
     */
    @Target(ElementType.TYPE)
    @Retention(RetentionPolicy.RUNTIME)
    @Import(ValidatorConfiguration.class)
    public @interface EnableFormValidator {
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    在启动类上加上上面的注解
    package com.zcl;
    
    import com.zcl.config.EnableFormValidator;
    import org.springframework.boot.SpringApplication;
    import org.springframework.boot.autoconfigure.SpringBootApplication;
    
    /**
     * 项目名称:hibernate-validator_demo
     * 描述:项目启动类
     *
     * @author zhong
     * @date 2022-08-29 13:04
     */
    @SpringBootApplication
    @EnableFormValidator
    public class HibernateValidatorApp {
        public static void main(String[] args) {
            SpringApplication.run(HibernateValidatorApp.class, args);
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21

    再次启动项目的时候通过测试对象属性,少传递两个参数集合看出效果,当前面的验证不通过的时候后面的就不会再次验证了

  • 相关阅读:
    多种方式解决Java控制台报错 java.util.LinkedHashMap cannot be cast to.....
    如何使用 Grafana 监控文件系统状态
    java计算机毕业设计ssm养老院敬老院系统 elementui
    【云原生Kubernetes】二进制搭建Kubernetes集群(中)——部署node节点
    Python操作Excel、Word、PPT、PDF、复杂文件、通信软件(微信、邮件、飞书、钉钉)、图片集合大全
    MoE 大模型的前世今生
    面试被问答3-5年职业规划,该怎么回答
    束搜索-binsearch
    搭建 AI 图像生成器 (SAAS) php laravel
    详解:递归 和 排序(冒泡排序,选择排序,插入排序,归并排序,快速排序,希尔排序)
  • 原文地址:https://blog.csdn.net/baidu_39378193/article/details/126582598