新手有问题,所以请保持温柔:
list = [1, 2, 3, 4, 5]
list2 = list
def fxn(list,list2):
for number in list:
print(number)
print(list)
list2.remove(number)
print("after remove list is ", list, " and list 2 is ", list2)
return list, list2
list, list2 = fxn(list, list2)
print("after fxn list is ", list)
print("after fxn list2 is ", list2)
这导致:
1
[1, 2, 3, 4, 5]
after remove list is [2, 3, 4, 5] and list 2 is [2, 3, 4, 5]
3
[2, 3, 4, 5]
after remove list is [2, 4, 5] and list 2 is [2, 4, 5]
5
[2, 4, 5]
after remove list is [2, 4] and list 2 is [2, 4]
after fxn list is [2, 4]
after fxn list2 is [2, 4]
当我只做list2.remove()
而不是list.remove()
时,我不明白为什么列表会发生变化。我甚至不确定用什么搜索词来弄明白。
答案 0 :(得分:14)
发生这种情况的原因可以在这里找到:
mlist = [1,2,3,4,5]
mlist2 = mlist
第二个声明“指向”mlist2
到mlist
(即,它们都指向相同的列表对象),并且您对其中所做的任何更改都会反映在其他。
要制作副本,请尝试此操作(使用切片操作):
mlist = [1,2,3,4,5]
mlist2 = mlist[:]
如果您对切片表示法感到好奇,那么这个问题Python Lists(Slice method)将为您提供更多背景信息。
最后,使用list
作为标识符并不是一个好主意,因为Python已将此标识符用于其自己的数据结构(这就是我添加“{{的原因) 1}}“在变量名前面”
答案 1 :(得分:5)
这是因为在您完成作业list
之后,list2
和list2=list
都指的是同一个列表。
尝试此操作以查看它们是指相同的对象还是不同的对象:
id(list)
id(list2)
一个例子:
>>> list = [1, 2, 3, 4, 5]
>>> list2 = list
>>> id(list)
140496700844944
>>> id(list2)
140496700844944
>>> list.remove(3)
>>> list
[1, 2, 4, 5]
>>> list2
[1, 2, 4, 5]
如果您确实要创建list
的副本,使list2
不引用原始列表而是引用列表的副本,请使用切片运算符:
list2 = list[:]
一个例子:
>>> list
[1, 2, 4, 5]
>>> list2
[1, 2, 4, 5]
>>> list = [1, 2, 3, 4, 5]
>>> list2 = list[:]
>>> id(list)
140496701034792
>>> id(list2)
140496701034864
>>> list.remove(3)
>>> list
[1, 2, 4, 5]
>>> list2
[1, 2, 3, 4, 5]
此外,请勿使用list
作为变量名称,因为最初list
是指类型列表,但是通过定义您自己的list
变量,您隐藏了原始名称引用类型列表的list
。例如:
>>> list
<type 'list'>
>>> type(list)
<type 'type'>
>>> list = [1, 2, 3, 4, 5]
>>> list
[1, 2, 3, 4, 5]
>>> type(list)
<type 'list'>