Reputation: 579
The function below computes a scale matrix (covariance matrix) for a time interval (t0,t1)
for a multivariate time series. I would like to rewrite this function so that it does not need a list or a for loop. Is there a way to do the following using only numpy array operations? It seems that I need a version of numpy.outer
that accepts 2d arrays as input and then takes the outer product along a specified axis. But I couldn't find such a function in numpy.
import numpy as np
def scale_matrix(multivariate_time_series, t0=0, t1=0):
# multivariate_time_series is a 2d array.
if t1==0:
t1 = len(multivariate_time_series)
a = np.mean([np.outer(multivariate_time_series[t,:],multivariate_time_series[t,:])
for t in range(t0,t1)], axis=0)
return a
Upvotes: 0
Views: 431
Reputation: 53029
You can use matrix multiplication or einsum
:
>>> data = np.random.random((20, 5))
>>> t0 = t1 = 0
>>> data_r = data[t0:t1 or len(data)]
>>>
>>> data_r.T@data_r/data_r.shape[0]
array([[0.31445868, 0.15057765, 0.25087819, 0.26003647, 0.24403643],
[0.15057765, 0.32387482, 0.25741824, 0.27916451, 0.26457779],
[0.25087819, 0.25741824, 0.38244811, 0.31093482, 0.30124948],
[0.26003647, 0.27916451, 0.31093482, 0.39589237, 0.30220028],
[0.24403643, 0.26457779, 0.30124948, 0.30220028, 0.3548833 ]])
>>>
>>> np.einsum('ij,ik->jk', data_r, data_r)/data_r.shape[0]
array([[0.31445868, 0.15057765, 0.25087819, 0.26003647, 0.24403643],
[0.15057765, 0.32387482, 0.25741824, 0.27916451, 0.26457779],
[0.25087819, 0.25741824, 0.38244811, 0.31093482, 0.30124948],
[0.26003647, 0.27916451, 0.31093482, 0.39589237, 0.30220028],
[0.24403643, 0.26457779, 0.30124948, 0.30220028, 0.3548833 ]])
>>>
>>> scale_matrix(data, t0, t1)
array([[0.31445868, 0.15057765, 0.25087819, 0.26003647, 0.24403643],
[0.15057765, 0.32387482, 0.25741824, 0.27916451, 0.26457779],
[0.25087819, 0.25741824, 0.38244811, 0.31093482, 0.30124948],
[0.26003647, 0.27916451, 0.31093482, 0.39589237, 0.30220028],
[0.24403643, 0.26457779, 0.30124948, 0.30220028, 0.3548833 ]])
Upvotes: 1