Java 开发中的对象拷贝

前言

在 Java 开发中,很多时候需要将两个属性基本相同的对象进行属性复制,比如 DO 转 VO等等。

本文主要介绍自己实现的简易拷贝工具类与 Spring 提供的属性拷贝的对比。

Spring 提供的属性拷贝

在 Spring 中直接调用 BeanUtils.copyProperties();即可。

它的核心通过循环 target 的所有方法名,然后在 source 中找到对应的方法名,最后通过反射从 source 中获取并写入 target 中。

Spring 没有通过 java.lang.reflect 中的 Field 来做,而是通过 java.beans 中的 PropertyDescriptor 来实现。

  补充:PropertyDescriptor 描述 Java Bean 通过一对存储器方法导出的一个属性。

通过 PropertyDescriptor 提供的 getReadMethod() 和 getWriteMethod() 方法,可以方便的获取到读取、写入属性值的方法(Method)。

同时,Spring 也做了缓存,在测试中,第一次的对象拷贝用时 300+ 毫秒,之后在缓存中获取,用时 0 毫秒。

源码如下图所示:

Java 开发中的对象拷贝

Java 开发中的对象拷贝

缓存源码:

Java 开发中的对象拷贝

自己写的简易版

 public static void copyBean(Object target, Object source) throws IllegalAccessException, InstantiationException, NoSuchFieldException {
Class targetClass = target.getClass();
Class sourceClass = source.getClass();
// 获取目标类的所有参数 Field
Field[] fields = targetClass.getDeclaredFields();
// 为目标类的每个参数设值
for (Field field : fields) {
// 如果数据源对象中存在对应的参数
Field sourceField = sourceClass.getDeclaredField(field.getName());
if (null != sourceField) {
Field targetField = targetClass.getDeclaredField(field.getName());
targetField.setAccessible(true);
sourceField.setAccessible(true);
targetField.set(target, sourceField.get(source));
}
}
} // 类似 Spring 的版本
public static void copyBeanByMethod(Object target, Object source) throws IntrospectionException, InvocationTargetException, IllegalAccessException {
Class targetClass = target.getClass();
Class sourceClass = source.getClass();
Field[] sourceFields = sourceClass.getDeclaredFields();
for (Field field : sourceFields) {
PropertyDescriptor targetProperty;
try {
targetProperty = new PropertyDescriptor(field.getName(), targetClass);
} catch (IntrospectionException e) {
continue;
}
Method writeMethod = targetProperty.getWriteMethod();
if (writeMethod != null) {
PropertyDescriptor sourceProperty = new PropertyDescriptor(field.getName(), sourceClass);
Method readMethod = sourceProperty.getReadMethod();
if (!Modifier.isPublic(readMethod.getModifiers())) {
readMethod.setAccessible(true);
}
// 读取 source 中属性的值
Object value = readMethod.invoke(source);
if (!Modifier.isPublic(writeMethod.getModifiers())) {
writeMethod.setAccessible(true);
}
// 为 target 对应的属性赋值
writeMethod.invoke(target, value);
}
}
}

小结

Spring 所提供的属性拷贝虽然第一次效率较低,但随后如果再次使用相同的 source 进行拷贝,则 Spring 会通过第一次拷贝保存的缓存来直接进行快速的拷贝

参考资料

[1] 谈谈 Java 开发中的对象拷贝

上一篇:Parameterized tests


下一篇:如何用命令将本地项目上传到github