简体   繁体   English

在3维numpy数组中找到n个最小值的索引

[英]Find the index of the n smallest values in a 3 dimensional numpy array

Given a 3 dimensional numpy array, how to find the indexes of top n smallest values ? 给定3维numpy数组,如何找到前n个最小值的索引? The index of the minimum value can be found as: 最小值的索引可以找到:

i,j,k = np.where(my_array == my_array.min())

Here's one approach for generic n-dims and generic N smallest numbers - 这是一般n维和一般N个最小数的一种方法-

def smallestN_indices(a, N):
    idx = a.ravel().argsort()[:N]
    return np.stack(np.unravel_index(idx, a.shape)).T

Each row of the the 2D output array would hold the indexing tuple that corresponds to one of the smallest array numbers. 2D输出数组的每一行将保存对应于最小数组编号之一的索引元组。

We can also use argpartition , but that might not maintain the order. 我们也可以使用argpartition ,但这可能无法保持顺序。 So, we need a bit more additional work with argsort there - 因此,我们需要在其中使用argsort其他更多工作-

def smallestN_indices_argparitition(a, N, maintain_order=False):
    idx = np.argpartition(a.ravel(),N)[:N]
    if maintain_order:
        idx = idx[a.ravel()[idx].argsort()]
    return np.stack(np.unravel_index(idx, a.shape)).T

Sample run - 样品运行-

In [141]: np.random.seed(1234)
     ...: a = np.random.randint(111,999,(2,5,4,3))
     ...: 

In [142]: smallestN_indices(a, N=3)
Out[142]: 
array([[0, 3, 2, 0],
       [1, 2, 3, 0],
       [1, 2, 2, 1]])

In [143]: smallestN_indices_argparitition(a, N=3)
Out[143]: 
array([[1, 2, 3, 0],
       [0, 3, 2, 0],
       [1, 2, 2, 1]])

In [144]: smallestN_indices_argparitition(a, N=3, maintain_order=True)
Out[144]: 
array([[0, 3, 2, 0],
       [1, 2, 3, 0],
       [1, 2, 2, 1]])

Runtime test - 运行时测试-

In [145]: a = np.random.randint(111,999,(20,50,40,30))

In [146]: %timeit smallestN_indices(a, N=3)
     ...: %timeit smallestN_indices_argparitition(a, N=3)
     ...: %timeit smallestN_indices_argparitition(a, N=3, maintain_order=True)
     ...: 
10 loops, best of 3: 97.6 ms per loop
100 loops, best of 3: 8.32 ms per loop
100 loops, best of 3: 8.34 ms per loop

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM