I would like to create a matrix using a list whose elements would be the elements of the matrix under the diagonal.
import numpy as np
x1 = np.array([0.9375, 0.75, 0.4375, 0.0, 0.9375, 0.75, 0.4375, 0.9375, 0.75, 0.9375])
x1
the matrix I would like to have is
array([[ 1. , 0.9375, 0.75 , 0.4375, 0. ],
[ 0.9375, 1. , 0.9375, 0.75 , 0.4375],
[ 0.75 , 0.9375, 1. , 0.9375, 0.75 ],
[ 0.4375, 0.75 , 0.9375, 1. , 0.9375],
[ 0. , 0.4375, 0.75 , 0.9375, 1. ]])
I thought you could do this with np.tril but it gives a result I do not expect.
mat = np.tril(x1, k = -1 )
print(mat)
what am I missing ?
I apologize in advance if this is a trivial question but I could not figure out how to it without looping.
You can use
boolean indexing/mask
-Benchmarking
For the solutions posted so far and dealing with numpy arrays, here's a quick runtime test for the given inputs -
With larger input array of
x1
with2001000
elements, here's the runtime results -I'm not sure if this is the formation rule you'd like, but you can do it with list comprehension:
gives me
You can do:
In the last line, the indices are reversed since your
x1
is ordered for the upper triangle. You could also usex[np.tril_indices(5, -1)] = x1[::-1]
if that feels more intuitive.