类似的问题已被要求提供排序列表here,但解决方案使用的bisect
不适用于保留排序列表。
假设我有一个列表,按相反的顺序排序,键入中间元素,
my_list = [[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [1.56,0] ....]
我想在中间元素上应用一系列阈值,这个值在一个单独的排序列表中,比如说
threshold = [0.97, 0.90, 0.83, 0.6]
我试图找出小于阈值的第一个元素的索引。在上面的例子中,它应该返回,
index_list = [2, 2, 3, 6]
建议如何以最快的方式完成?
答案 0 :(得分:3)
根据来自@ answer的精彩gnibbler,您可以自行重写bisect
代码以满足您的需求
我稍微修改了来自@ gnibbler的代码,以便可以在你的情况下使用
优化是因为您的阈值也是排序的,我们不需要每次搜索整个列表,而是从最后的结果索引开始
def reverse_binary_search(a, x, lo=0, hi=None):
if lo < 0:
raise ValueError('lo must be non-negative')
if hi is None:
hi = len(a)
while lo < hi:
mid = (lo+hi)/2
if x > a[mid][4]:
hi = mid
else:
lo = mid+1
return lo
my_list = [[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [1.56,0]]
threshold = [0.97, 0.90, 0.83, 0.6]
index_list = []
last_index = 0
for t in threshold:
last_index = reverse_binary_search(my_list, t, last_index) # next time start search from last_index
index_list.append(last_index)
感谢@ PhilCooper提出宝贵意见。以下是他提出的使用生成器的代码:
def reverse_binary_search(a, threshold):
lo = 0
for t in threshold:
if lo < 0:
raise ValueError('lo must be non-negative')
hi = len(a)
while lo < hi:
mid = (lo+hi)/2
if t > a[mid][6]:
hi = mid
else:
lo = mid+1
yield lo
my_list = [[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [1.56,0]]
threshold = [0.97, 0.90, 0.83, 0.6]
index_list = list(reverse_binary_search(my_list, threshold))
答案 1 :(得分:1)
使用numpy,我认为它看起来比纯python实现更清晰,并且几乎肯定会更快:
import numpy as np
arr = np.array([[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [10,0.50, 24]])
thresholds = [0.97, 0.90, 0.83, 0.60]
idx = [np.min(np.where(arr[:,1] < i)) for i in thresholds if np.where(arr[:,1] < i)[0].size > 0]
print idx
[2, 2, 3, 6]
答案 2 :(得分:0)
尝试以下方法:
threshold = [0.97, 0.90, 0.83, 0.6]
my_list = [[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [1,.56,0]]
threshold = [0.97, 0.90, 0.83, 0.6]
index_list = []
ti = 0
for i, item in enumerate(my_list):
if item[1] >= threshold[ti]:
continue
while ti < len(threshold) and item[1] < threshold[ti]:
index_list.append(i)
ti += 1
答案 3 :(得分:0)
我在想你应该得到钥匙并反转。然后bisecet没问题
from bisect import bisect_left
keys = [vals[1] for vals in my_list]
keys.reverse()
mylen = len(my_list)
[mylen-bisect_left(keys,t) for t in threshold]
如果你已经有了numpy:
my_array = np.array([[3,0.99,1], [2,0.98,54], [10,.85,4], [1,0.7,10], [12,0.69,31], [12,0.65,43], [10,0.50, 24]])
thresholds = [0.97, 0.90, 0.83, 0.60]
my_array.shape[0]-arr[::-1,1].searchsorted(threshold)
答案 4 :(得分:0)
import bisect
my_list_2 = sorted(my_list, key=lambda x:x[1])
for x in threshold:
len(my_list) - bisect.bisect([z[1] for z in my_list_2], x)