Bootstrap

java集合深拷贝

什么是深浅拷贝

由于早期接触语言为C,非面向对象语言,没有深拷贝和浅拷贝的概念,近期在公司业务中初始值一定,需要动态添加集合set,固使用“=”中间变量的方式,后发现原集合数据始终和中间变量保持一致,原因如下图,“=”属于浅拷贝,始终指向同一个对象,导致数据错误。
在这里插入图片描述

java序列化实现深拷贝(集合、类通用)

    /***
     * 功能描述: set<bean> 深拷贝
     * (bean 对象必须序列化,即 implements Serializable)
     */
    public static <T> Set<T> deepCopyListBean(Set<T> src){
        try {
            ByteArrayOutputStream byteOut = new ByteArrayOutputStream();//目标输出流
            ObjectOutputStream out = null;//对象输出流
            out = new ObjectOutputStream(byteOut);
            //对参数指定的obj对象进行序列化,把得到的字节序列写到一个目标输出流中
            out.writeObject(src);
            ByteArrayInputStream byteIn = new ByteArrayInputStream(byteOut.toByteArray());
            ObjectInputStream in = new ObjectInputStream(byteIn);//对象输入流
            //readObject()方法从一个源输入流中读取 字节序列,再把它们反序列化为一个对象
            return (Set<T>)in.readObject();
        } catch (IOException e) {
            e.printStackTrace();
        }catch (ClassNotFoundException ex) {
            ex.printStackTrace();
        }
        return null;
    }
;