import copy a = [11, 22] b = a print(id(a)) # 17812744 print(id(b)) # 17812744 c = copy.deepcopy(a) print(id(a)) # 17812744 print(id(c)) # 17810952 print(a) # [11, 22] print(c) # [11, 22] a.append(33) print(a) # [11, 22, 33] print(c) # [11, 22]
可以看到a、b内存地址是一样,可如下图表示;而c是完完全全拷贝了一份a指向的内容,这就是深拷贝。
import copy a = [11, 22] b = [33, 44] c = [a, b] d = copy.copy(c) print(id(c)) # 17811464 print(id(d)) # 17405960 a.append(55) print(c) # [[11, 22, 55], [33, 44]] print(d) # [[11, 22, 55], [33, 44]]
把c里的东西取出来,然后d指向它,大致如下图所示。
import copy a = [11, 22] b = [33, 44] c = [a, b] d = copy.deepcopy(c) print(id(c)) # 17942536 print(id(d)) # 17943112 a.append(55) print(c) # [[11, 22, 55], [33, 44]] print(d) # [[11, 22], [33, 44]]
深拷贝:我已经完完全全拷贝过来了,你改你的东西,不关我事。
1
原文:https://www.cnblogs.com/believepd/p/10410019.html