3 回答
TA贡献1853条经验 获得超6个赞
严格地说,您正在尝试索引未初始化的数组。在添加项目之前,必须先用列表初始化外部列表;Python将此称为“列表理解”。
# Creates a list containing 5 lists, each of 8 items, all set to 0
w, h = 8, 5;
Matrix = [[0 for x in range(w)] for y in range(h)]
现在可以将项添加到列表中:
Matrix[0][0] = 1
Matrix[6][0] = 3 # error! range...
Matrix[0][6] = 3 # valid
print Matrix[0][0] # prints 1
x, y = 0, 6
print Matrix[x][y] # prints 3; be careful with indexing!
虽然你可以按你的意愿命名它们,但我这样看待它是为了避免索引时可能出现的一些混乱,如果你对内部和外部列表都使用“x”,并且想要一个非平方矩阵的话。
TA贡献1951条经验 获得超3个赞
numpy
numpy
zeros
>>> import numpy>>> numpy.zeros((5, 5))array([[ 0., 0., 0., 0., 0.], [ 0., 0., 0., 0., 0.], [ 0., 0., 0., 0., 0.], [ 0., 0., 0., 0., 0.], [ 0., 0., 0., 0., 0.]])
numpy
matrix
numpy
>>> numpy.matrix([[1, 2], [3, 4]])matrix([[1, 2], [3, 4]])
numpy.matrix('1 2; 3 4') # use Matlab-style syntax
numpy.arange(25).reshape((5, 5)) # create a 1-d range and reshape
numpy.array(range(25)).reshape((5, 5)) # pass a Python range and reshape
numpy.array([5] * 25).reshape((5, 5)) # pass a Python list and reshape
numpy.empty((5, 5)) # allocate, but don't initialize
numpy.ones((5, 5)) # initialize with ones
numpy.ndarray((5, 5)) # use the low-level constructor
TA贡献2051条经验 获得超10个赞
下面是初始化列表的一个较短的符号:
matrix = [[0]*5 for i in range(5)]
不幸的是,把这个缩短为5*[5*[0]]实际上不起作用,因为您最终得到了相同列表的5份副本,因此当您修改其中一份时,它们都会更改,例如:
>>> matrix = 5*[5*[0]]
>>> matrix
[[0, 0, 0, 0, 0], [0, 0, 0, 0, 0], [0, 0, 0, 0, 0], [0, 0, 0, 0, 0], [0, 0, 0, 0, 0]]
>>> matrix[4][4] = 2
>>> matrix
[[0, 0, 0, 0, 2], [0, 0, 0, 0, 2], [0, 0, 0, 0, 2], [0, 0, 0, 0, 2], [0, 0, 0, 0, 2]]
添加回答
举报