python列表深浅拷贝

1、浅拷贝
对于浅copy来说,第一层创建的是新的内存地址,而从第二层开始,指向的都是同一个内存地址,所以,对于第二层以及更深的层数来说,保持一致性。

list1 = [1, 2, 3, ['tom', 'jerry']]
list2 = list1.copy()

# 两个列表首地址不同,如:
print(list1, id(list1))  # [1, 2, 3, ['tom', 'jerry']] 18228552
print(list2, id(list2))  # [1, 2, 3, ['tom', 'jerry']] 18244168

# list2中的1,2,3是新的内存地址,改变list1时,对list2无影响,如:
list1[1] = 222
print(list1, id(list1))  # [1, 222, 3, ['tom', 'jerry']] 18228552
print(list2, id(list2))  # [1, 2, 3, ['tom', 'jerry']] 18244168

# (浅拷贝)第二层列表是同一地址,没有在拷贝时开辟新空间,两个二层列表共处一室
list1[3][0] = 'blue'
print(list1, id(list1[3]))  # [1, 222, 3, ['blue', 'jerry']] 18230984
print(list2, id(list2[3]))  # [1, 2, 3, ['blue', 'jerry']] 18230984

2、深拷贝(仅第三个注释中发生改变)
(1)需要导入 copy 模块。
Import copy

(2)运用copy.deepcopy()

代码:

import copy
list1 = [1, 2, 3, ['tom', 'jerry']]
list2 = copy.deepcopy(list1)

# 深度拷贝后首地址也不同,如:
print(list1, id(list1))  # [1, 2, 3, ['tom', 'jerry']] 19160776
print(list2, id(list2))  # [1, 2, 3, ['tom', 'jerry']] 19116296

# list2中的1, 2, 3也是新的内存地址,改变list1时,对list2也无影响,如:
list1[1] = 222
print(list1, id(list1))  # [1, 222, 3, ['tom', 'jerry']] 19160776
print(list2, id(list2))  # [1, 2, 3, ['tom', 'jerry']] 19116296

# 仅此处不一样,深度拷贝的第二层地址也不一样,不是指向同一地址块,两个第二层列表独立!
list1[3][0] = 'blue'
print(list1, id(list1[3]))  # [1, 222, 3, ['blue', 'jerry']] 19117768
print(list2, id(list2[3]))  # [1, 2, 3, ['tom', 'jerry']] 19117832

你可能感兴趣的:(python)