在系统中使用Bean Validation验证参数
转自:http://www.importnew.com/18561.html
为什么要使用Bean Validation?
|
1
2
3
4
5
|
public String queryValueByKey(String parmTemplateCode, String conditionName, String conditionKey, String resultName) { checkNotNull(parmTemplateCode, "parmTemplateCode not null"); checkNotNull(conditionName, "conditionName not null"); checkNotNull(conditionKey, "conditionKey not null"); checkNotNull(resultName, "resultName not null"); |
该方法输入的四个参数都是必填项。用代码进行参数验证带来几个问题
- 需要写大量的代码来进行参数验证。
- 需要通过注释来直到每个入参的约束是什么。
- 每个程序员做参数验证的方式不一样,参数验证不通过抛出的异常也不一样。
什么是Bean Validation?
Bean Validation是一个通过配置注解来验证参数的框架,它包含两部分Bean Validation API和Hibernate Validator。
- Bean Validation API是Java定义的一个验证参数的规范。
- Hibernate Validator是Bean Validation API的一个实现。
快速开始
引入POM
|
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
|
<!-- Bean Validation start --><dependency> <groupId>org.hibernate</groupId> <artifactId>hibernate-validator</artifactId> <version>5.1.1.Final</version></dependency><dependency> <groupId>javax.validation</groupId> <artifactId>validation-api</artifactId> <version>1.1.0.Final</version></dependency><dependency> <groupId>javax.el</groupId> <artifactId>el-api</artifactId> <version>2.2</version></dependency><dependency> <groupId>org.glassfish.web</groupId> <artifactId>javax.el</artifactId> <version>2.2.4</version></dependency><dependency> <groupId>org.jboss.logging</groupId> <artifactId>jboss-logging</artifactId> <version>3.1.3.GA</version></dependency><dependency> <groupId>com.fasterxml</groupId> <artifactId>classmate</artifactId> <version>1.0.0</version></dependency><dependency> <groupId>log4j</groupId> <artifactId>log4j</artifactId> <version>1.2.13</version></dependency><!-- Bean Validation end --> |
实例代码如下,可以验证Bean,也可以验证方法参数
|
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
47
48
49
50
51
52
|
import java.lang.reflect.Method;import java.util.Set;import javax.validation.ConstraintViolation;import javax.validation.Validation;import javax.validation.Validator;import javax.validation.constraints.Max;import javax.validation.constraints.NotNull;import javax.validation.executable.ExecutableValidator;public class BeanValidatorTest { public static void main(String[] args) { Validator validator = Validation.buildDefaultValidatorFactory().getValidator(); //验证Bean参数,并返回验证结果信息 Car car = new Car(); Set<ConstraintViolation<Car>> validators = validator.validate(car); for (ConstraintViolation<Car> constraintViolation : validators) { System.out.println(constraintViolation.getMessage()); } // 验证方法参数 Method method = null; try { method = Car.class.getMethod("drive", int.class); } catch (SecurityException e) { } catch (NoSuchMethodException e) { } Object[] parameterValues = { 80 }; ExecutableValidator executableValidator = validator.forExecutables(); Set<ConstraintViolation<Car>> methodValidators = executableValidator.validateParameters(car, method, parameterValues); for (ConstraintViolation<Car> constraintViolation : methodValidators) { System.out.println(constraintViolation.getMessage()); } } public static class Car { private String name; @NotNull(message = "车主不能为空") public String getRentalStation() { return name; } public void drive(@Max(75) int speedInMph) { } }} |
执行代码后,输出如下:
|
1
2
|
车主不能为空最大不能超过75 |
使用代码验证方法参数
Validation验证不成功可能返回多个验证错误信息,我们可以包装下,当有错误时直接返回第一个错误的异常。
|
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
|
import static com.google.common.collect.Iterables.getFirst;import java.util.Set;import javax.validation.ConstraintViolation;import javax.validation.Validation;import javax.validation.Validator;/** * 对象验证器 * * @author tengfei.fangtf * @version $Id: BeanValidator.java, v 0.1 Dec 30, 2015 11:33:40 PM tengfei.fangtf Exp $ */public class BeanValidator { /** * 验证某个bean的参数 * * @param object 被校验的参数 * @throws ValidationException 如果参数校验不成功则抛出此异常 */ public static <T> void validate(T object) { //获得验证器 Validator validator = Validation.buildDefaultValidatorFactory().getValidator(); //执行验证 Set<ConstraintViolation<T>> constraintViolations = validator.validate(object); //如果有验证信息,则将第一个取出来包装成异常返回 ConstraintViolation<T> constraintViolation = getFirst(constraintViolations, null); if (constraintViolation != null) { throw new ValidationException(constraintViolation); } }} |
我们可以在每个方法的第一行调用BeanValidator.validate来验证参数,测试代码如下,
|
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
|
import static junit.framework.Assert.assertEquals;import javax.validation.constraints.Max;import javax.validation.constraints.NotNull;import org.junit.Test;/** * * @author tengfei.fangtf * @version $Id: BeanValidatorTest.java, v 0.1 Dec 30, 2015 11:33:56 PM tengfei.fangtf Exp $ */public class BeanValidatorTest { @Test public void test() { try { BeanValidator.validate(new Car()); } catch (Exception e) { assertEquals("rentalStation 车主不能为空", e.getMessage()); } } public static class Car { private String name; @NotNull(message = "车主不能为空") public String getRentalStation() { return name; } public void drive(@Max(75) int speedInMph) { } }} |
使用拦截器验证方法参数
我们在对外暴露的接口的入参中使用Bean Validation API配置参数约束,如下XXXService接口
|
1
2
3
4
5
|
public interface XXXService {GetObjectResponse getObject(GetObjectRequest getObjectRequest);} |
在getObject的GetObjectRequest参数中配置注解来约束参数。
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
public class GetObjectRequest { @Valid @NotNull private ObjectKey objectKey; @Size(max = 9) private Map<String, Object> parameters; @AssertTrue public boolean isEntityNameOrCodeAtLeastOneIsNotBlank() { return isNotBlank(entityName) || isNotBlank(entityCode); }//代码省略} |
编写参数验证拦截器,当方法被调用时,触发Validator验证器执行验证,如果不通过则抛出ParameterValidationException。
|
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
47
48
49
50
51
52
53
54
55
56
57
|
import static com.google.common.collect.Iterables.getFirst;import java.util.Set;import javax.validation.ConstraintViolation;import javax.validation.Validation;import javax.validation.Validator;import org.aopalliance.intercept.MethodInterceptor;import org.aopalliance.intercept.MethodInvocation;import org.slf4j.Logger;import org.slf4j.LoggerFactory;import com.xx.ParameterValidationException;/** * 参数验证拦截器,基于JSR-303 BeanValidation * * @author tengfei.fangtf * * @version $Id: TitanValidateInterceptor.java, v 0.1 Nov 23, 2015 11:13:55 PM tengfei.fangtf Exp $ */public class TitanValidateInterceptor implements MethodInterceptor { private static final Logger LOGGER = LoggerFactory.getLogger(TitanValidateInterceptor.class); private final Validator validator; public TitanValidateInterceptor() { validator = Validation.buildDefaultValidatorFactory().getValidator(); } @Override public Object invoke(MethodInvocation invocation) throws Throwable { if (LOGGER.isDebugEnabled()) { LOGGER.debug("Validate arguments"); } //获取参数,并检查是否应该验证 Object[] arguments = invocation.getArguments(); for (Object argument : arguments) { if (LOGGER.isDebugEnabled()) { LOGGER.debug("Validate argument: {}", argument); } Set<ConstraintViolation<Object>> constraintViolations = validator.validate(argument); ConstraintViolation<Object> constraintViolation = getFirst(constraintViolations, null); if (constraintViolation == null) { continue; } if (LOGGER.isInfoEnabled()) { LOGGER.info("ConstraintViolation: {}", constraintViolation); } throw new ParameterValidationException(constraintViolation.getPropertyPath() + " " + constraintViolation.getMessage()); } return invocation.proceed(); }} |
配置拦截器core-service.xml,拦截XXXService的所有方法。
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
<?xml version="1.0" encoding="UTF-8"?><beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:p="http://www.springframework.org/schema/p" xmlns:context="http://www.springframework.org/schema/context" xmlns:webflow="http://www.springframework.org/schema/webflow-config" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-2.5.xsd http://www.springframework.org/schema/webflow-config http://www.springframework.org/schema/webflow-config/spring-webflow-config-2.0.xsd" default-autowire="byName"> <bean id="XXXService" class="org.springframework.aop.framework.ProxyFactoryBean"> <property name="target"> <bean class="com.XXXService" /> </property> <property name="interceptorNames"> <list> <value>validateInterceptor</value> </list> </property> </bean> <bean id="validateInterceptor" class="com.mybank.bkloanapply.common.validator.ValidateInterceptor" /></beans> |
参考资料
- 注解配置参考
- http://beanvalidation.org
- http://www.ibm.com/developerworks/cn/java/j-lo-jsr303/
- http://hibernate.org/validator/
在系统中使用Bean Validation验证参数的更多相关文章
- Java Bean Validation(参数校验) 最佳实践
转载来自:http://www.cnblogs.com 参数校验是我们程序开发中必不可少的过程.用户在前端页面上填写表单时,前端js程序会校验参数的合法性,当数据到了后端,为了防止恶意操作,保持程序的 ...
- SpringMVC中实现Bean Validation(JSR 303 JSR 349 JSR 380)
JSR 303是针对bean数据校验提出的一个规范.使用注解方式实现数据校验. 每个注解的用法这里就不多介绍,请移步JSR 303 - Bean Validation 介绍及最佳实践 笔者上面提到的J ...
- 利用 Bean Validation 来简化接口请求参数校验
团队新来了个校招实习生静静,相互交流后发现竟然是我母校同实验室的小学妹,小学妹很热情地认下了我这个失散多年的大湿哥,后来... 小学妹:大湿哥,咱们项目里的 Controller 怎么都看不到参数校验 ...
- JSR 303 - Bean Validation 介绍及最佳实践
JSR 303 - Bean Validation 介绍及最佳实践 JSR 303 – Bean Validation 是一个数据验证的规范,2009 年 11 月确定最终方案.2009 年 12 月 ...
- JSR教程1——JSR 303 - Bean Validation介绍
1.Bean Validation 在任何时候,当你要处理一个应用程序的业务逻辑,数据校验是你必须要考虑和面对的事情.应用程序必须通过某种手段来确保输入进来的数据从语义上来讲是正确的.在通常的情况下, ...
- JSR 303 - Bean Validation 介绍及最佳实践(转)
JSR 303 – Bean Validation 是一个数据验证的规范,2009 年 11 月确定最终方案.2009 年 12 月 Java EE 6 发布,Bean Validation 作为一个 ...
- Bean Validation规范
以下内容转载自:https://www.ibm.com/developerworks/cn/java/j-lo-beanvalid/ Bean Validation规范介绍 JSR303 规范(Bea ...
- 一个新人如何学习在大型系统中添加新功能和Debug
文章背景: 今年七月份正式入职,公司主营ERP软件,楼主所在的组主要负责二次开发,使用的语言是Java. 什么叫二次开发呢?ERP软件的客户都是企业.而这些企业之间的情况都有所不同,一套标准版本的企业 ...
- 系统中异常公共处理模块 in spring boot
最近在用spring boot 做微服务,所以对于异常信息的 [友好展示]有要求,我设计了两点: 一. 在业务逻辑代码中,异常的抛出 我做了限定,一般只会是三种: 1. OmcException // ...
随机推荐
- vue 双向数据绑定 Vue事件介绍 以及Vue中的ref获取dom节点
<template> <div id="app"> <h2>{{msg}}</h2> <input type="te ...
- vue2.0 中#$emit,$on的使用详解
vue1.0中 vm.$dispatch 和 vm.$broadcast 被弃用,改用$emit,$on 1. vm.$on( event, callback ) 监听当前实例上的自定义事件.事件可以 ...
- linux 安装scala
1. 下载scala 到scala官网下载scala https://www.scala-lang.org/download/,目前最新版本是2.12.8 wget https://downloads ...
- HBase脚本命令
1. 脚本使用小结1.开启集群 start-hbase.sh 2.关闭集群 stop-hbase.sh 3.开启/关闭[所有]的regionserver.zookeeper hbase-daemons ...
- c# webBrowser全掌握
一.获取网页源代码 1.不含有框架 string s=WB1.DocumentText; //webbrowser1命名为WB1,下同 2.含有框架 引用mshtml; //位置C ...
- windows下使用gethostbyname函数报错无法解析的外部符号
#include <winsock.h> 使用gethostbyname的函数的时候,会显示无法解析的外部符号. 主要问题是因为没有引用WS2_32的lib库 在include上面引用就行 ...
- js第四天学习小结:
(1)函数的四种形式小结: 无参无返回值 function tellstory(){ console.log("从前有座山"); console.log(" ...
- 安装memcache集群管理工具
安装memcache集群管理工具magent 一.安装libevent tar xf libevent--stable.tar.gz cd libevent- ./configure --prefix ...
- Windows Server 2016 路由和远程访问
本次实验是将Windows Server 2016 配置成一个路由器,为此网络上的客户端和服务器启用多重协议LAN到LAN,LAN到WAN,虚拟专用网络和网络地址转换路由服务.使用路由和远程访问需配置 ...
- Vue中 等待DOM或者数据完成 在执行 --this.$nextTick()
虽然 Vue.js 通常鼓励开发人员沿着“数据驱动”的方式思考,避免直接接触 DOM,但是有时我们确实要这么做.比如一个新闻滚动的列表项.如果在这里需要操作dom, 应该是等待 Vue 完成更新 DO ...