Numpy滚动窗口上的2D数组,作为一个1D数组嵌套数组作为数据值



使用np.lib.stride_tricks.as_strided时,如何使用嵌套数组作为数据值管理2D数组?是否有更好的有效的方法?

具体来说,如果我有一个2D np.array如下所示,其中1D数组中的每个数据项都是长度为2的数组:

[[1., 2.],[3., 4.],[5.,6.],[7.,8.],[9.,10.]...]

我想重塑滚动,如下所示:

[[[1., 2.],[3., 4.],[5.,6.]],
 [[3., 4.],[5.,6.],[7.,8.]],
 [[5.,6.],[7.,8.],[9.,10.]],
  ...
]

我已经看过类似的答案(例如这个滚动窗口函数),但是在使用中我不能保持内部数组/元组不变。

例如,窗口长度为3:我尝试了(len(seq)+3-1, 3, 2)shape(2 * 8, 2 * 8, 8)stride,但没有运气。也许我错过了一些明显的东西?

欢呼。


EDIT:使用Python内置函数很容易生成功能相同的解决方案(可以使用例如np.arange进行优化,类似于Divakar的解决方案),但是,使用as_strided呢?根据我的理解,这可能是一个高效的解决方案。

如果您可以这样做-

def rolling_window2D(a,n):
    # a: 2D Input array 
    # n: Group/sliding window length
    return a[np.arange(a.shape[0]-n+1)[:,None] + np.arange(n)]

示例运行-

In [110]: a
Out[110]: 
array([[ 1,  2],
       [ 3,  4],
       [ 5,  6],
       [ 7,  8],
       [ 9, 10]])
In [111]: rolling_window2D(a,3)
Out[111]: 
array([[[ 1,  2],
        [ 3,  4],
        [ 5,  6]],
       [[ 3,  4],
        [ 5,  6],
        [ 7,  8]],
       [[ 5,  6],
        [ 7,  8],
        [ 9, 10]]])

你的as_strided试验出了什么问题?

In [28]: x=np.arange(1,11.).reshape(5,2)
In [29]: x.shape
Out[29]: (5, 2)
In [30]: x.strides
Out[30]: (16, 8)
In [31]: np.lib.stride_tricks.as_strided(x,shape=(3,3,2),strides=(16,16,8))
Out[31]: 
array([[[  1.,   2.],
        [  3.,   4.],
        [  5.,   6.]],
       [[  3.,   4.],
        [  5.,   6.],
        [  7.,   8.]],
       [[  5.,   6.],
        [  7.,   8.],
        [  9.,  10.]]])

在我的第一次编辑时,我使用了int数组,所以必须使用(8,8,4)的跨步。

你的形状可能是错的。如果太大,它开始看到数据缓冲区末端的值。

   [[  7.00000000e+000,   8.00000000e+000],
    [  9.00000000e+000,   1.00000000e+001],
    [  8.19968827e-257,   5.30498948e-313]]])

这里它只是改变了显示方法,7, 8, 9, 10仍然在那里。编写这些插槽可能很危险,会弄乱代码的其他部分。as_strided最好用于只读目的。

您的任务与此任务类似。所以我稍微改了一下。

# Rolling window for 2D arrays in NumPy
import numpy as np
def rolling_window(a, shape):  # rolling window for 2D array
    s = (a.shape[0] - shape[0] + 1,) + (a.shape[1] - shape[1] + 1,) + shape
    strides = a.strides + a.strides
    return np.lib.stride_tricks.as_strided(a, shape=s, strides=strides)
x = np.array([[1,2],[3,4],[5,6],[7,8],[9,10],[3,4],[5,6],[7,8],[11,12]])
y = np.array([[3,4],[5,6],[7,8]])
found = np.all(np.all(rolling_window(x, y.shape) == y, axis=2), axis=2)
print(found.nonzero()[0])

相关内容

  • 没有找到相关文章

最新更新