Logo

Programming-Idioms

  • Python

Idiom #26 Create a 2-dimensional array

Declare and initialize a matrix x having m rows and n columns, containing real numbers.

x = []
for i in range(m):
    x.append([.0] * n)
x = [[0] * n for _ in range(m)]

Do not just "multiply by m", which would duplicate the references to the inner arrays.
from itertools import repeat
x = [*repeat([.0] * n, m)]
X : array (1 .. M, 1 .. N) of Float := (others => (others => 1.0));

New implementation...