转载自:https://blog.csdn.net/qq_28177261/article/details/96432568
有的项目需要单元测试覆盖率的行数达到一定的比例,通常情况下POJO类基本仅仅只是get、set方法,但又占据一大部分的代码行数,通过以下方法可以节省一部分的劳动力。
- 首先POJO类get、set方法不能有复杂的逻辑操作(如果有最好过滤掉)
- 通过反射创建实例对象,同时获取该类的Field[]
- 通过属性描述符PropertyDescriptor获取对应字段的Method
- 调用Method的invoke方法执行get、set方法
具体的执行流程
- 例如POJO类People:
public class People {
private String name;
private Integer age;
private String aLike;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
public String getaLike() {
return aLike;
}
public void setaLike(String aLike) {
this.aLike = aLike;
}
}
- test包下创建父类BaseVoTest,子类只需继承父类,实现父类的getT()方法,返回具体的实例
@SpringBootTest
@RunWith(MockitoJUnitRunner.class)
public abstract class BaseVoTest<T> {
protected abstract T getT();
/**
* model的get和set方法
* 1.子类返回对应的类型
*2.通过反射创建类的实例
*3.获取该类所有属性字段,遍历获取每个字段对应的get、set方法,并执行
*/
private void testGetAndSet() throws IllegalAccessException, InstantiationException, IntrospectionException,
InvocationTargetException {
T t = getT();
Class modelClass = t.getClass();
Object obj = modelClass.newInstance();
Field[] fields = modelClass.getDeclaredFields();
for (Field f : fields) {
//JavaBean属性名要求:前两个字母要么都大写,要么都小写
//对于首字母是一个单词的情况,要么过滤掉,要么自己拼方法名
//f.isSynthetic()过滤合成字段
if (f.getName().equals("aLike")
|| f.isSynthetic()) {
continue;
}
PropertyDescriptor pd = new PropertyDescriptor(f.getName(), modelClass);
Method get = pd.getReadMethod();
Method set = pd.getWriteMethod();
set.invoke(obj, get.invoke(obj));
}
}
@Test
public void getAndSetTest() throws InvocationTargetException, IntrospectionException,
InstantiationException, IllegalAccessException {
this.testGetAndSet();
}
}
这样People的单元测试覆盖率就达到了70%(过滤了aLike字段,如果要达到100%,可以拼get、set方法名)
--本文作者:【ngLee 】
--关于博文:如果有错误的地方,还请留言指正。如转载请注明出处!如果您觉得文章对您有帮助,可以点击文章右下角【推荐】一下。您的鼓励是博主的最大动力!