-
侃侃无极
a=[['']*2]*2上面可以分解为:a = ['']*2 #result: a = ['', ''] --> it copies value of '' since '' is a stringa = [a]*2 #result: a = [a,a] --> which means it copies the reference of a instead of its value since a is a list.a[0][1]='previous' # result: [['', 'previous'], ['', 'previous']]
-
阿晨1998
好吧,我们假设 a == b。将列表乘以(情况 a)2 创建深度复制,即共享内存地址。手动构建列表(情况 b)可以避免此问题。因此,当您访问和更新 a 中的元素时,您实际上是在更新两个内部列表:a = [['']*2]*2b = [['', ''], ['', '']] print(a == b) # Trueprint(a)a[0][1] = 'previous'print(a)print(id(a[0]) == id(a[1])) # True, same memory addressprint(b)b[0][1] = 'previous'print(b)print(id(b[0]) == id(b[1])) # False, different memory addresses
-
largeQ
使用 a=[''*2] 你会得到 [''] 因为空字符串 * 2 = 空字符串使用 a=['']*2 你会得到 ['','']使用 a=[['']*2] 你会得到 [['','']]使用 a=[['']*2]*2 你会得到 [['', ''], ['', '']] 类似于步骤 2你使用的是 a=[['']*2]*2 --> [['', ''], ['', '']] 你应该使用的是 a = [[[''] ]*2]*2 --> [[[''], ['']], [[''], ['']]]
-
牛魔王的故事
a = [['']*2]*2print (a[0][1] is a[1][1]) # true所以当你声明一个数组时,数组中的元素应该是不同的引用对象。