python中数据分为可变类型,不可变类型。不同的数据类型影响着不同情况下的深浅拷贝。
下面则将简要介绍一下
当某个数据的值发生改变时,它对应的内存地址不发生改变,常见的有列表、字典、集合
可变类型中拥有一个内存地址,其中值存放的是各个元素的内存地址,所以当值发生改变时(例如append)时只会在值中新增内存地址,不会对列表原有的内存地址造成修改
不可变类型:当某个数据的值发生改变时,它对应的内存地址也发生改变,常见的有字符串、元组、数字、布尔
深拷贝都会复制可变类型对象和不可变类型对象
data = [1,2,3,"test", {1,2,3}, [1,2,3], {"name":"tom", "age":19}] copy_data = copy.deepcopy(data) print(copy_data) data[4].add(4) print("----------------") print(data) print(copy_data) print("----------------") data[5].append(4) print(data) print(copy_data) print("----------------") data[6]["gender"] = "man" print(data) print(copy_data)
[1, 2, 3, 'test', {1, 2, 3}, [1, 2, 3], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3], {'name': 'tom', 'age': 19}] [1, 2, 3, 'test', {1, 2, 3}, [1, 2, 3], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19}] [1, 2, 3, 'test', {1, 2, 3}, [1, 2, 3], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19, 'gender': 'man'}] [1, 2, 3, 'test', {1, 2, 3}, [1, 2, 3], {'name': 'tom', 'age': 19}]
从上述结果来看,深拷贝后的数据与原数据是独立的,数据不会受到影响
浅拷贝只会复制不可变类型对象,而可变类型对象复制的则是内存地址,当可变类型对象中的元素发生改变时,会影响到原有数据
data = [1,2,3,"test", {1,2,3}, [1,2,3], {"name":"tom", "age":19}] copy_data = data.copy() print(copy_data) data[4].add(4) print("----------------") print(data) print(copy_data) print("----------------") data[5].append(4) print(data) print(copy_data) print("----------------") data[6]["gender"] = "man" print(data) print(copy_data)
[1, 2, 3, 'test', {1, 2, 3}, [1, 2, 3], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3], {'name': 'tom', 'age': 19}] [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19}] [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19}] ---------------- [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19, 'gender': 'man'}] [1, 2, 3, 'test', {1, 2, 3, 4}, [1, 2, 3, 4], {'name': 'tom', 'age': 19, 'gender': 'man'}]
从上述结果看,所有的对于可变类型对象的操作都影响到了原数据