检查两个3D numpy数组是否包含重叠的2D数组

2024-04-26 15:00:18 发布

您现在位置:Python中文网/ 问答频道 /正文

我有两个非常大的numpy数组,它们都是3D的,我需要找到一个有效的方法来检查它们是否重叠,因为首先将它们都转换成集合需要花费太长时间。我尝试使用我在这里找到的另一个解决方案来解决这个相同的问题,但是对于2D数组,我没有成功地使它适用于3D。 以下是2D的解决方案:

nrows, ncols = A.shape
dtype={'names':['f{}'.format(i) for i in range(ndep)],
       'formats':ndep * [A.dtype]}
C = np.intersect1d(A.view(dtype).view(dtype), B.view(dtype).view(dtype))
# This last bit is optional if you're okay with "C" being a structured array...
C = C.view(A.dtype).reshape(-1, ndep)

(其中A和B是2D阵列) 我需要找到重叠的numpy数组的数量,但不是具体的数组。你知道吗


Tags: 方法innumpyviewformatfornames数组
1条回答
网友
1楼 · 发布于 2024-04-26 15:00:18

我们可以利用views使用一个助手函数,我在几个Q&a中使用过这个函数。为了得到子阵列的存在,我们可以在视图上使用np.isin,或者使用一个更费劲的np.searchsorted。你知道吗

方法#1:使用np.isin-

# https://stackoverflow.com/a/45313353/ @Divakar
def view1D(a, b): # a, b are arrays
    a = np.ascontiguousarray(a)
    b = np.ascontiguousarray(b)
    void_dt = np.dtype((np.void, a.dtype.itemsize * a.shape[1]))
    return a.view(void_dt).ravel(),  b.view(void_dt).ravel()

def isin_nd(a,b):
    # a,b are the 3D input arrays to give us "isin-like" functionality across them
    A,B = view1D(a.reshape(a.shape[0],-1),b.reshape(b.shape[0],-1))
    return np.isin(A,B)

方法#2:我们也可以利用np.searchsortedviews-

def isin_nd_searchsorted(a,b):
    # a,b are the 3D input arrays
    A,B = view1D(a.reshape(a.shape[0],-1),b.reshape(b.shape[0],-1))
    sidx = A.argsort()
    sorted_index = np.searchsorted(A,B,sorter=sidx)
    sorted_index[sorted_index==len(A)] = len(A)-1
    idx = sidx[sorted_index]
    return A[idx] == B

所以,这两个解给出了ab中每个子阵的存在性。因此,要获得所需的计数,它将是-isin_nd(a,b).sum()isin_nd_searchsorted(a,b).sum()。你知道吗

样本运行-

In [71]: # Setup with 3 common "subarrays"
    ...: np.random.seed(0)
    ...: a = np.random.randint(0,9,(10,4,5))
    ...: b = np.random.randint(0,9,(7,4,5))
    ...: 
    ...: b[1] = a[4]
    ...: b[3] = a[2]
    ...: b[6] = a[0]

In [72]: isin_nd(a,b).sum()
Out[72]: 3

In [73]: isin_nd_searchsorted(a,b).sum()
Out[73]: 3

大型阵列上的计时-

In [74]: # Setup
    ...: np.random.seed(0)
    ...: a = np.random.randint(0,9,(100,100,100))
    ...: b = np.random.randint(0,9,(100,100,100))
    ...: idxa = np.random.choice(range(len(a)), len(a)//2, replace=False)
    ...: idxb = np.random.choice(range(len(b)), len(b)//2, replace=False)
    ...: a[idxa] = b[idxb]

# Verify output
In [82]: np.allclose(isin_nd(a,b),isin_nd_searchsorted(a,b))
Out[82]: True

In [75]: %timeit isin_nd(a,b).sum()
10 loops, best of 3: 31.2 ms per loop

In [76]: %timeit isin_nd_searchsorted(a,b).sum()
100 loops, best of 3: 1.98 ms per loop

相关问题 更多 >