Vectorized assignment for numpy array with repeated indices (d [i, j, i, j] = s [i, j])

How to install

d[i,j,i,j] = s[i,j]

      

using "NumPy" and no loop?

I've tried the following:

l1=range(M)
l2=range(N)
d[l1,l2,l1,l2] = s[l1,l2]

      

+3


source to share


2 answers


You can use integer array indexing (creating broadcast indexes with np.ix_

):

d[np.ix_(l1,l2)*2] = s[np.ix_(l1,l2)]

      

The first time the indices need to be duplicated (you want it [i, j, i, j]

instead of just [i, j]

), so I multiplied the tuple

returned np.ix_

by 2.




For example:

>>> d = np.zeros((10, 10, 10, 10), dtype=int)
>>> s = np.arange(100).reshape(10, 10)
>>> l1 = range(3)
>>> l2 = range(5)
>>> d[np.ix_(l1,l2)*2] = s[np.ix_(l1,l2)]

      

And to make sure the correct values ​​have been assigned:

>>> # Assert equality for the given condition
>>> for i in l1:
...     for j in l2:
...         assert d[i, j, i, j] == s[i, j]

>>> # Interactive tests
>>> d[0, 0, 0, 0], s[0, 0]
(0, 0)
>>> d[1, 2, 1, 2], s[1, 2]
(12, 12)
>>> d[2, 0, 2, 0], s[2, 0]
(20, 20)
>>> d[2, 4, 2, 4], s[2, 4]
(24, 24)

      

+1


source


If you think about it, it would be the same as creating an array of the 2D

shape (m*n, m*n)

and assigning values ​​from s

to diagonal locations. For the final output to be 4D

, we just need to change the shape at the end. This is basically done below -

m,n = s.shape
d = np.zeros((m*n,m*n),dtype=s.dtype)
d.ravel()[::m*n+1] = s.ravel()
d.shape = (m,n,m,n)

      

Runtime test

Approaches -



# @MSeifert solution
def assign_vals_ix(s):    
    d = np.zeros((m, n, m, n), dtype=s.dtype)
    l1 = range(m)
    l2 = range(n)
    d[np.ix_(l1,l2)*2] = s[np.ix_(l1,l2)]
    return d

# Proposed in this post
def assign_vals(s):
    m,n = s.shape
    d = np.zeros((m*n,m*n),dtype=s.dtype)
    d.ravel()[::m*n+1] = s.ravel()
    return d.reshape(m,n,m,n)

# Using a strides based approach
def assign_vals_strides(a):
    m,n = a.shape
    p,q = a.strides

    d = np.zeros((m,n,m,n),dtype=a.dtype)
    out_strides = (q*(n*m*n+n),(m*n+1)*q)
    d_view = np.lib.stride_tricks.as_strided(d, (m,n), out_strides)
    d_view[:] = a
    return d

      

Timing -

In [285]: m,n = 10,10
     ...: s = np.random.rand(m,n)
     ...: d = np.zeros((m,n,m,n))
     ...: 

In [286]: %timeit assign_vals_ix(s)
10000 loops, best of 3: 21.3 µs per loop

In [287]: %timeit assign_vals_strides(s)
100000 loops, best of 3: 9.37 µs per loop

In [288]: %timeit assign_vals(s)
100000 loops, best of 3: 4.13 µs per loop

In [289]: m,n = 20,20
     ...: s = np.random.rand(m,n)
     ...: d = np.zeros((m,n,m,n))


In [290]: %timeit assign_vals_ix(s)
10000 loops, best of 3: 60.2 µs per loop

In [291]: %timeit assign_vals_strides(s)
10000 loops, best of 3: 41.8 µs per loop

In [292]: %timeit assign_vals(s)
10000 loops, best of 3: 35.5 µs per loop

      

+1


source







All Articles