map物件賦值:
HashMap<String,Object> hm = new HashMap(); HashMap<String,Object> hmCopy = new HashMap(); hm.put("123", 123); System.out.println(hm.get("123")); hmCopy = hm; hmCopy.remove("123"); System.out.println(hm.get("123")); 輸出結果:123 null
這種直接賦值屬於物件的引用變化,兩個變數指向的是同一個物件
//map拷貝putAll方法: HashMap<String,Object> hm = new HashMap(); HashMap<String,Object> hmCopy = new HashMap(); hm.put("123", 123); System.out.println(hm.get("123")); hmCopy.putAll(hm); hmCopy.remove("123"); System.out.println(hm.get("123")); 輸出結果:123 123
map物件深拷貝:
List<Integer> list = new ArrayList<Integer>(); list.add(100); list.add(200); HashMap<String,Object> map = new HashMap<String,Object>(); map.put("basic", 100);//放基本型別資料 map.put("list", list);//放物件 HashMap<String,Object> mapNew = new HashMap<String,Object>(); mapNew.putAll(map); System.out.println("----資料展示-----"); System.out.println(map); System.out.println(mapNew); System.out.println("----更改基本型別資料-----"); map.put("basic", 200); System.out.println(map); System.out.println(mapNew); System.out.println("----更改引用型別資料-----"); list.add(300); System.out.println(map); System.out.println(mapNew); System.out.println("----使用序列化進行深拷貝-----"); mapNew = CloneUtils.clone(map); list.add(400); System.out.println(map); System.out.println(mapNew); 輸出結果: ----資料展示----- {basic=100, list=[100, 200]} {basic=100, list=[100, 200]} ----更改基本型別資料----- {basic=200, list=[100, 200]} {basic=100, list=[100, 200]} ----更改引用型別資料----- {basic=200, list=[100, 200, 300]} {basic=100, list=[100, 200, 300]} ----使用序列化進行深拷貝----- {basic=200, list=[100, 200, 300, 400]} {list=[100, 200, 300], basic=200}
最上面的兩條是原始資料,使用了putAll方法拷貝了一個新的mapNew物件,
中間兩條,是修改map物件的基本資料型別的時候,並沒有影響到mapNew物件。
但是看倒數第二組,更改引用資料型別的時候,發現mapNew的值也變化了,所以putAll並沒有對map產生深拷貝。
最後面是使用序列化的方式,發現,更改引用型別的資料的時候,mapNew物件並沒有發生變化,所以產生了深拷貝。
上述的工具類,可以實現物件的深拷貝,不僅限於HashMap,前提是實現了Serlizeable介面。
//附克隆方法: public static <T extends Serializable> T clone(T obj) { T cloneObj = null; try { // 寫入位元組流 ByteArrayOutputStream out = new ByteArrayOutputStream(); ObjectOutputStream obs = new ObjectOutputStream(out); obs.writeObject(obj); obs.close(); // 分配記憶體,寫入原始物件,生成新物件 ByteArrayInputStream ios = new ByteArrayInputStream(out.toByteArray()); ObjectInputStream ois = new ObjectInputStream(ios); // 返回生成的新物件 cloneObj = (T) ois.readObject(); ois.close(); } catch (Exception e) { e.printStackTrace(); } return cloneObj; }