list:浅拷贝和深拷贝

轨道检测项目中遇到了一个关于list复制的问题,

问题: 一个现有存储了内容的listA, new一个listB,  使用方法listB.addAll(listA), 当改动listB时,listA也随着会做改动.

问题解释:

 

  • list浅拷贝

list:浅拷贝和深拷贝_第1张图片

list本质上是数组,数组是以地址的形式进行存储的.

几种浅拷贝的方式

   1.遍历循环复制

List destList=new ArrayList(srcList.size());  
for(Person p : srcList){  
    destList.add(p);  
}  

   2.使用List实现类的构造方法

List destList=new ArrayList(srcList);

   3.使用list.addAll()方法

List destList=new ArrayList();  
destList.addAll(srcList);  

   4.使用System.arraycopy()方法

Person[] srcPersons=srcList.toArray(new Person[0]);  
Person[] destPersons=new Person[srcPersons.length];  
System.arraycopy(srcPersons, 0, destPersons, 0, srcPersons.length);  
  • list深拷贝

 

list:浅拷贝和深拷贝_第2张图片

深拷贝就是将A复制给B的同时,给B创建新的地址,再将地址A的内容传递到地址B。ListA与ListB内容一致,但是由于所指向的地址不同,所以改变相互不受影响。

 

深拷贝的方式

   1.使用序列化的方法

public static  List deepCopy(List src) throws IOException, ClassNotFoundException {  
    ByteArrayOutputStream byteOut = new ByteArrayOutputStream();  
    ObjectOutputStream out = new ObjectOutputStream(byteOut);  
    out.writeObject(src);  

    ByteArrayInputStream byteIn = new ByteArrayInputStream(byteOut.toByteArray());  
    ObjectInputStream in = new ObjectInputStream(byteIn);  
    @SuppressWarnings("unchecked")  
    List dest = (List) in.readObject();  
    return dest;  
}  

List destList=deepCopy(srcList);  //调用该方法

   2.clone方法

public class A implements Cloneable {   
    public String name[];   

    public A(){   
        name=new String[2];   
    }   

    public Object clone() {   
        A o = null;   
        try {   
            o = (A) super.clone();   
        } catch (CloneNotSupportedException e) {   
            e.printStackTrace();   
        }   
        return o;   
    }   
}  
for(int i=0;i

 

参考:https://blog.csdn.net/DeMonliuhui/article/details/54572908

https://blog.csdn.net/zhangjg_blog/article/details/18369201

 

 

 

 

你可能感兴趣的:(list:浅拷贝和深拷贝)