在Python编程中,复制对象是一个常见的需求,但复制的方式不同会导致不同的结果。本文将探讨浅拷贝和深拷贝的区别,并展示如何正确地复制列表。
首先,来看一个简单复制的例子:
lst_first = [
'Yesterday',
['we', 'used'],
'the',
['Python', '2']
]
lst_second = lst_first
lst_third = lst_first
lst_fourth = lst_first
print("\n原始列表和它的三个副本:")
print("lst_first =", lst_first)
print("lst_second =", lst_second)
print("lst_third =", lst_third)
print("lst_fourth =", lst_fourth)
print("\n让将第一个单词改为 'Today' 并在第四个列表末尾添加单词 'too'...")
lst_fourth[0] = 'Today'
lst_fourth.append('too')
print("\n让再次查看列表的内容:")
print("lst_first =", lst_first)
print("lst_second =", lst_second)
print("lst_third =", lst_third)
print("lst_fourth =", lst_fourth)
从上面的代码输出中,可以看到,尽管只修改了 'lst_fourth' 列表,但所有列表的值都发生了变化。这是为什么呢?
在脚本的第一行,创建了 'lst_first' 列表,然后它初始化了其他三个列表。在将 'lst_first' 分配给其他三个列表后,所有四个列表都引用了相同的内存区域。稍后对任何一个列表内容的修改都会立即反映在所有其他列表的内容上。
接下来,来看如何创建浅拷贝:
import copy
lst_first = [
'Yesterday',
['we', 'used'],
'the',
['Python', '2']
]
lst_second = copy.copy(lst_first) # 使用copy模块创建浅拷贝
lst_third = list(lst_first) # 使用工厂函数创建浅拷贝
lst_fourth = lst_first[:] # 使用切片操作符创建浅拷贝
print("\n原始列表和它的三个副本:")
print("lst_first =", lst_first)
print("lst_second =", lst_second)
print("lst_third =", lst_third)
print("lst_fourth =", lst_fourth)
print()
print("让显示内存中对象的 'identities'(地址):")
print("id(lst_first) = ", id(lst_first))
print("id(lst_second) = ", id(lst_second))
print("id(lst_third) = ", id(lst_third))
print("id(lst_fourth) = ", id(lst_fourth))
现在,让看看程序的结果:好的。正如所看到的,所有列表(lst_second、lst_third和lst_fourth)存储的值与原始列表(lst_first)相同。然而,每个列表的 'id()' 函数返回的值是不同的。这意味着这一次,每个列表对象都有自己的独立地址空间。
最后,来看如何创建深拷贝:
import copy
lst_first = [
'Yesterday',
['we', 'used'],
'the',
['Python', '2']
]
lst_second = copy.deepcopy(lst_first) # 使用deepcopy函数创建深拷贝
lst_third = copy.deepcopy(lst_first) # 使用deepcopy函数创建深拷贝
lst_fourth = copy.deepcopy(lst_first) # 使用deepcopy函数创建深拷贝
print("\n原始列表和它的三个副本:")
print("lst_first =", lst_first)
print("lst_second =", lst_second)
print("lst_third =", lst_third)
print("lst_fourth =", lst_fourth)
print()
print("让显示内存中对象的 'identities'(地址):")
print("id(lst_first) = ", id(lst_first))
print("id(lst_second) = ", id(lst_second))
print("id(lst_third) = ", id(lst_third))
print("id(lst_fourth) = ", id(lst_fourth))
从上面的代码输出中,可以看到,使用 'deepcopy()' 函数创建的深拷贝确实复制了所有列表项,包括简单和复合对象。这样,每个对象都得到了自己的地址空间,而不是引用一个共同的对象。
与浅拷贝相比,深拷贝会递归地复制对象中找到的所有对象。这意味着,如果对象包含其他对象(如列表或类实例),深拷贝会创建这些对象的副本,而不仅仅是它们的引用。
“浅拷贝构建一个新的复合对象,然后(尽可能地)在其中插入对原始对象中找到的对象的引用。深拷贝构建一个新的复合对象,然后递归地插入原始对象中找到的对象的副本。”