如何将属性从一个Java Bean复制到另一个Java Bean?

2022-09-03 17:46:21

我有一个简单的Java POJO,我会将属性复制到同一POJO类的另一个实例。

我知道我可以用BeanUtils.copyProperties()做到这一点,但我想避免使用第三方库。

那么,如何简单地做到这一点,正确和更安全的方式 ?

顺便说一句,我使用的是Java 6。


答案 1

我想如果你看一下BeanUtils的源代码,它会告诉你如何在不实际使用BeanUtils的情况下做到这一点。

如果您只想创建POJO的副本(与将属性从一个POJO复制到另一个POJO不太一样),则可以更改源bean以实现clone()方法和可克隆接口。


答案 2

在为Google App Engine开发应用程序时,我遇到了同样的问题,由于公共日志记录限制,我无法使用BeanUtils。无论如何,我想出了这个解决方案,对我来说工作得很好。

public static void copyProperties(Object fromObj, Object toObj) {
    Class<? extends Object> fromClass = fromObj.getClass();
    Class<? extends Object> toClass = toObj.getClass();

    try {
        BeanInfo fromBean = Introspector.getBeanInfo(fromClass);
        BeanInfo toBean = Introspector.getBeanInfo(toClass);

        PropertyDescriptor[] toPd = toBean.getPropertyDescriptors();
        List<PropertyDescriptor> fromPd = Arrays.asList(fromBean
                .getPropertyDescriptors());

        for (PropertyDescriptor propertyDescriptor : toPd) {
            propertyDescriptor.getDisplayName();
            PropertyDescriptor pd = fromPd.get(fromPd
                    .indexOf(propertyDescriptor));
            if (pd.getDisplayName().equals(
                    propertyDescriptor.getDisplayName())
                    && !pd.getDisplayName().equals("class")) {
                 if(propertyDescriptor.getWriteMethod() != null)                
                         propertyDescriptor.getWriteMethod().invoke(toObj, pd.getReadMethod().invoke(fromObj, null));
            }

        }
    } catch (IntrospectionException e) {
        e.printStackTrace();
    } catch (IllegalArgumentException e) {
        e.printStackTrace();
    } catch (IllegalAccessException e) {
        e.printStackTrace();
    } catch (InvocationTargetException e) {
        e.printStackTrace();
    }
}

任何增强功能或建议都非常受欢迎。


推荐