我对以下代码的行为感到困惑:
data = [0,1,2,3,4,5]
class test():
def __init__(self,data):
self.data=data
self.data2=data
def main(self):
del self.data2[3]
test_var = test(data)
test_var.main()
print(test_var.data)
print(test_var.data2)
我认为应该出现的是:
[0,1,2,3,4,5]
[0,1,2,4,5]
我得到的是:
[0,1,2,4,5]
[0,1,2,4,5]
为什么第二个列表中的元素在未直接更改时会被删除?或者python是否以正常情况发生的方式处理属性?
那么我应该如何更改我想要的代码呢?
答案 0 :(得分:6)
Lists
在Python中是可变的,并通过引用传递。无论何时分配它或将其作为参数传递,都会传递对它的引用而不是副本。因此,你看到的结果。如果你真的想要改变它,你需要对其进行深度检查。
import copy
class test():
def __init__(self, data):
self.data = copy.deepcopy(data)
self.data2 = copy.deepcopy(data2)
# if the list is going to be flat and just contain basic immutable types,
# slicing (or shallow-copy) would do the job just as well.
class test():
def __init__(self, data):
self.data = data[::] # or data[:] for that matter as @Joe Iddon suggested
self.data2 = data[::]
注意:并非所有类型的对象都支持“深度复制”。