锁定老帖子 主题:利用反射进行深层克隆
精华帖 (0) :: 良好帖 (1) :: 新手帖 (2) :: 隐藏帖 (0)
|
|
---|---|
作者 | 正文 |
发表时间:2010-10-28
学习了,谢楼主分享! 但是仔细分析后发现按楼主的方法还是有些问题,除非是所有想要克隆的对象都继承DeepClone,否则难以实现完全深克隆 分析下代码:通过反射获得的clone方法就未必是DeepClone中重写的方法 try { cloneMethod = filedVal.getClass().getDeclaredMethod("clone", new Class[] {}); } catch (NoSuchMethodException e) { cloneMethod = filedVal.getClass().getMethod("clone", new Class[] {}); } 那么需要深克隆,每个需要克隆的对象都需要继续DeepClone也不现实
下面是我将楼主的代码稍做修改,改成静态的工具方法(前提:需要克隆的对象除了要实现Cloneable接口,还必须重写clone方法): public class DeepClone { public static Object clone(Cloneable obj) throws IllegalArgumentException,IllegalAccessException, SecurityException, NoSuchMethodException,InvocationTargetException { // 验证传入参数不为null if (obj == null) { return null; } Object cloneObj = null; Method cloneMethod = null; // 获取浅克隆对象 try { cloneMethod = obj.getClass().getDeclaredMethod("clone",new Class[] {}); } catch (Exception e) { cloneMethod = obj.getClass().getMethod("clone", new Class[] {}); } cloneMethod.setAccessible(true); cloneObj = cloneMethod.invoke(obj, new Object[0]); Field[] fieldArr = obj.getClass().getDeclaredFields(); int fieldLength = fieldArr.length; for (int i = 0; i < fieldLength; i++) { // 获得属性对象的信息 Field field = fieldArr[i]; Class fieldType = field.getType(); field.setAccessible(true); Object fieldValue = field.get(obj); // 如果属性为静态或者final或者其值为null,那么不做处理 if (fieldValue == null || Modifier.isStatic(field.getModifiers()) || Modifier.isFinal(field.getModifiers())) { continue; } if (fieldType.isArray()) {// 对象为数组 Object cloned = arrClone(fieldValue); field.set(cloneObj, cloned); } else {// 对象不为数组 if (fieldValue instanceof Cloneable) { Object cloned = clone((Cloneable) fieldValue); field.set(cloneObj, cloned); } } } return cloneObj; } public static Object arrClone(Object objArr)throws IllegalArgumentException, SecurityException,IllegalAccessException, NoSuchMethodException,InvocationTargetException { // 验证传入参数不为null if (objArr == null) { return null; } int arrLength = Array.getLength(objArr); // 创建一个新的数组对象 Object cloneArr = Array.newInstance(objArr.getClass().getComponentType(), arrLength); // 遍历数组的每个成员 for (int i = 0; i < arrLength; i++) { Object sub = Array.get(objArr, i); if (sub == null) { continue; } Object cloned = null; if (sub.getClass().isArray()) {// 对象为数组 cloned = arrClone(sub); } else {// 对象不为数组 if(objArr.getClass().getComponentType().isPrimitive()||!(sub instanceof Cloneable)){//基本类型或 cloned=sub; }else if (sub instanceof Cloneable) { cloned = clone((Cloneable) sub); } } Array.set(cloneArr, i, cloned); } return cloneArr; } }
采用了一下递归的思想来确保需要克隆的对象都是深克隆,各位指点下 |
|
返回顶楼 | |