本文介绍了Python - 如何检查列表单调性的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
检查列表单调性的高效和pythonic方法是什么?
即它具有单调递增或递减的值?
What would be an efficient and pythonic way to check list monotonicity?
i.e. that it has monotonically increasing or decreasing values?
示例:
[0, 1, 2, 3, 3, 4] # This is a monotonically increasing list
[4.3, 4.2, 4.2, -2] # This is a monotonically decreasing list
[2, 3, 1] # This is neither
推荐答案
最好避免使用诸如增加"或减少"之类的模棱两可的术语,因为不清楚是否可以接受相等.例如,您应该始终使用非递增"(显然接受相等)或严格递减"(显然不接受相等).
It's better to avoid ambiguous terms like "increasing" or "decreasing" as it's not clear if equality is acceptable or not. You should always use either for example "non-increasing" (clearly equality is accepted) or "strictly decreasing" (clearly equality is NOT accepted).
def strictly_increasing(L):
return all(x<y for x, y in zip(L, L[1:]))
def strictly_decreasing(L):
return all(x>y for x, y in zip(L, L[1:]))
def non_increasing(L):
return all(x>=y for x, y in zip(L, L[1:]))
def non_decreasing(L):
return all(x<=y for x, y in zip(L, L[1:]))
def monotonic(L):
return non_increasing(L) or non_decreasing(L)
这篇关于Python - 如何检查列表单调性的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!