以下是示例
>>> x = ["a","b","c"]
>>> yy = [x] * 3
>>> yy
[['a', 'b', 'c'], ['a', 'b', 'c'], ['a', 'b', 'c']]
>>> yy[0][0] = 'A'
>>> yy
[['A', 'b', 'c'], ['A', 'b', 'c'], ['A', 'b', 'c']]
>>>
当我yy[0][0] = 'A'
时,它被替换为子列表的所有第一个元素。我从这里得到的是当我[x] * 3
时,它创建了一些列表x的引用,但不确定它是如何工作的。有人可以解释一下。
先谢谢了。 詹姆斯
答案 0 :(得分:3)
[x]*3
创建对同一列表的3个引用。您必须创建三个不同的列表:
>>> yy = [list('abc') for _ in range(3)]
>>> yy[0][0]='A'
>>> yy
[['A', 'b', 'c'], ['a', 'b', 'c'], ['a', 'b', 'c']]
第一行使用循环3次的列表推导创建一个新列表。
使用id()
,您可以看到相同的列表引用是重复的:
>>> x=list('abc')
>>> id(x)
67297928 # list object id
>>> yy=[x]*3 # create a list with x, duplicated...
>>> [id(i) for i in yy]
[67297928, 67297928, 67297928] # same id multipled
>>> yy = [list('abc') for _ in range(3)]
>>> [id(i) for i in yy]
[67298248, 67298312, 67297864] # three different ids