我编写了以下方法来检查范围列表是否跨路径。另一种说法是范围不是嵌套的。
def check_ranges(lst):
for i in range(len(lst)):
for j in range(i+1,len(lst)):
# (a,b) and (x,y) are being compared
a = lst[i][0]
b = lst[i][1]
x = lst[j][0]
y = lst[j][1]
#both of these conditions mean that they cross
if x < a and b > y:
return True
if x > a and b < y:
return True
return False
第一个应该返回false而第二个应该返回true。
check_ranges([(7,16),(6,17),(5,18),(4,19)])
check_ranges([(5,16),(6,17),(5,18),(4,19)])
它现在可以正常工作,但看起来效率非常低。如果这是一个常见问题或是否有更有效的解决方案,现在有人吗?
答案 0 :(得分:5)
您可以排序,这将至少按排序顺序放置起点。那么你只需要针对前一个条目检查端点;它应该更小:
from itertools import islice
def window(seq, n=2):
"Returns a sliding window (of width n) over data from the iterable"
" s -> (s0,s1,...s[n-1]), (s1,s2,...,sn), ... "
it = iter(seq)
result = tuple(islice(it, n))
if len(result) == n:
yield result
for elem in it:
result = result[1:] + (elem,)
yield result
def check_ranges(lst):
return any(a[1] < b[1] for a, b in window(sorted(lst)))
我正在使用旧版itertools文档页面中的window
example tool来创建滑动窗口。
此实现返回:
>>> def check_ranges(lst):
... return any(a[1] < b[1] for a, b in window(sorted(lst)))
...
>>> check_ranges([(7,16),(6,17),(5,18),(4,19)])
False
>>> check_ranges([(5,16),(6,17),(5,18),(4,19)])
True
匹配端点是否有问题尚不完全清楚;如果不是,那么您可以将<
更改为<=
测试。
答案 1 :(得分:0)
我不确定您用来检测&#34;交叉&#34;的算法,但您可以使用理解来简化代码并any
:
return any((x<a and b<y or x>a and b<y)
for i,(a,b) in enumerate(lst)
for (x,y) in lst[i:])