Python/Numpy在一个数组中快速找到最接近某个值的索引

2024-05-18 11:16:45 发布

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

我有一个值数组,t,它总是以递增的顺序排列(但不总是等距排列)。我有另一个值x。我需要在t中找到索引,使t[索引]最接近x。函数必须返回0(x<;t.min())和最大索引(或-1)(x>;t.max())。

我写了两个函数来做这个。第一个,f1,在这个简单的计时测试中要快得多。但我喜欢第二条线只是一条线。此计算将在一个大数组上完成,可能每秒多次。

有谁能想出一些其他的功能,与第一个类似的时间,但与更干净的代码?不如先快一点(速度是最重要的)怎么样?

谢谢!

代码:

import numpy as np
import timeit

t = np.arange(10,100000)         # Not always uniform, but in increasing order
x = np.random.uniform(10,100000) # Some value to find within t

def f1(t, x):
   ind = np.searchsorted(t, x)   # Get index to preserve order
   ind = min(len(t)-1, ind)      # In case x > max(t)
   ind = max(1, ind)             # In case x < min(t)
   if x < (t[ind-1] + t[ind]) / 2.0:   # Closer to the smaller number
      ind = ind-1
   return ind

def f2(t, x):
   return np.abs(t-x).argmin()

print t,           '\n', x,           '\n'
print f1(t, x),    '\n', f2(t, x),    '\n'
print t[f1(t, x)], '\n', t[f2(t, x)], '\n'

runs = 1000
time = timeit.Timer('f1(t, x)', 'from __main__ import f1, t, x')
print round(time.timeit(runs), 6)

time = timeit.Timer('f2(t, x)', 'from __main__ import f2, t, x')
print round(time.timeit(runs), 6)

Tags: to函数代码importtimenpruns数组
3条回答

np.searchsorted是二进制搜索(每次将数组分成两半)。因此,必须以返回最后一个小于x的值而不是返回0的方式实现它。

看看这个算法(从here):

def binary_search(a, x):
    lo=0
    hi = len(a)
    while lo < hi:
        mid = (lo+hi)//2
        midval = a[mid]
        if midval < x:
            lo = mid+1
        elif midval > x: 
            hi = mid
        else:
            return mid
    return lo-1 if lo > 0 else 0

刚刚替换了最后一行(wasreturn -1)。也改变了论点。

由于循环是用Python编写的,因此它可能比第一个循环慢。。。(未设定基准)

这似乎要快得多(对我来说,Python 3.2-win32,numpy 1.6.0):

from bisect import bisect_left
def f3(t, x):
    i = bisect_left(t, x)
    if t[i] - x > 0.5:
        i-=1
    return i

输出:

[   10    11    12 ..., 99997 99998 99999]
37854.22200356027
37844
37844
37844
37854
37854
37854
f1 0.332725
f2 1.387974
f3 0.085864

使用搜索排序:

t = np.arange(10,100000)         # Not always uniform, but in increasing order
x = np.random.uniform(10,100000)

print t.searchsorted(x)

编辑:

啊,是的,我知道你在f1就是这么做的。也许下面的f3比f1更容易阅读。

def f3(t, x):
    ind = t.searchsorted(x)
    if ind == len(t):
        return ind - 1 # x > max(t)
    elif ind == 0:
        return 0
    before = ind-1
    if x-t[before] < t[ind]-x:
        ind -= 1
    return ind

相关问题 更多 >