1、开发中偶尔会遇到这样的问题,就是同一个实体类里面又不同的属性,属性来源不同,就会出现相同的实体类,需要合并复制里面的属性值。
2、使用工具: org.springframework.beans.BeanUtils 工具类。
3、上代码。
@Test
public void testBeanUtils() {
T1 t1 = new T1();
t1.setName("张三");
t1.setAddress("北京");
t1.setGender("男");
T1 t2 = new T1();
t2.setJob("java");
t2.setAge("35");
t2.setMoney("5快");
BeanUtils.copyProperties(t2, t1);
System.out.println(t1);
//输出结果:T1(name=null, address=null, gender=null, job=java, age=35, money=5快)
}
@Data
class T1 {
private String name;
private String address;
private String gender;
private String job;
private String age;
private String money;
}
4、t2是资源实体类,t1是目标实体类,这样复制输出的结果并不是想要的结果,t2的空属性会覆盖掉t1存在的属性,应该指定一下忽略t1已经存在值得属性禁止复制。
BeanUtils.copyProperties(t2, t1, "name","address","gender");
//输出结果:T1(name=张三, address=北京, gender=男, job=java, age=35, money=5快)
5、这样就达到了想要得效果。
6、还有一种情况是T1实体类得属性特别多,如果指定忽略某些属性,输入得参数会特别多,也会很麻烦,怎样实现 直接指定属性进行复制呢,也很简单,只需要对BeanUtils的copyProperties方法复制出来,稍作改动就可以了,如下。
private static void copyProperties(Object source, Object target, String... copyProperties) throws BeansException {
Assert.notNull(source, "Source must not be null");
Assert.notNull(target, "Target must not be null");
Class> actualEditable = target.getClass();
PropertyDescriptor[] targetPds = BeanUtils.getPropertyDescriptors(actualEditable);
List ignoreList = (copyProperties != null ? Arrays.asList(copyProperties) : null);
for (PropertyDescriptor targetPd : targetPds) {
Method writeMethod = targetPd.getWriteMethod();
if (writeMethod != null && ignoreList != null && ignoreList.contains(targetPd.getName())) {
PropertyDescriptor sourcePd = BeanUtils.getPropertyDescriptor(source.getClass(), targetPd.getName());
if (sourcePd != null) {
Method readMethod = sourcePd.getReadMethod();
if (readMethod != null &&
ClassUtils.isAssignable(writeMethod.getParameterTypes()[0], readMethod.getReturnType())) {
try {
if (!Modifier.isPublic(readMethod.getDeclaringClass().getModifiers())) {
readMethod.setAccessible(true);
}
Object value = readMethod.invoke(source);
if (!Modifier.isPublic(writeMethod.getDeclaringClass().getModifiers())) {
writeMethod.setAccessible(true);
}
writeMethod.invoke(target, value);
} catch (Throwable ex) {
throw new FatalBeanException(
"Could not copy property '" + targetPd.getName() + "' from source to target", ex);
}
}
}
}
}
}
7、调用修改过的方法,指定一个属性进行复制,输出结果是想要的效果。
copyProperties(t2, t1, "money");
System.out.println(t1);
//输出结果:T1(name=张三, address=北京, gender=男, job=null, age=null, money=5快)