我有一个包含数百万个数字的列表。我想知道有序列表中每个数字之间的差异是否与整个列表相同。
list_example = [0,5,10,15,20,25,30,35,40,..等等]
最好的方法是什么?
我的尝试:
import collections
list_example = [ 0, 5, 10, 15, 20, 25, 30, 35, 40 ]
count = collections.Counter()
for x,y in zip(list_example[0::],list_example[1::]):
print x,y,y-x
count[y-x] +=1
if len( count ) == 1:
print 'Differences all the same'
结果:
0 5 5
5 10 5
10 15 5
15 20 5
20 25 5
25 30 5
30 35 5
35 40 5
Differences all the same
答案 0 :(得分:14)
使用纯Python:
>>> x = [0,5,10,15,20]
>>> xdiff = [x[n]-x[n-1] for n in range(1,len(x))]
>>> xdiff
[5, 5, 5, 5]
>>> all([xdiff[0] == xdiff[n] for n in range(1,len(xdiff))])
True
如果您使用NumPy,它会更容易,也可能更快:
>>> import numpy as np
>>> xdiff = np.diff(x)
>>> np.all(xdiff[0] == xdiff)
True
但是这两个都创建了两个额外的列表(或NumPy的数组),如果你有数百万的数字,可能会吞噬你的可用内存。
答案 1 :(得分:11)
这里的直接方法是最好的:
x = s[1] - s[0]
for i in range(2, len(s)):
if s[i] - s[i-1] != x: break
else:
#do some work here...
答案 2 :(得分:8)
需要注意的是,该列表可能包含数百万个数字。理想情况下,除非必要,否则我们不应迭代整个列表。我们还需要避免构造新的列表,这可能会占用大量内存。使用all和一个生成器将解决问题
>>> x = [5, 10, 15, 20, 25]
>>> all(x[i] - x[i-1] == x[i+1] - x[i] for i in xrange(1, len(x) - 1))
True
答案 3 :(得分:5)
itertools.izip非常适合这种事情:
>>> lst = [1,1,2,3,5,8]
>>> [y-x for x, y in itertools.izip (lst, lst[1:])]
[0, 1, 1, 2, 3]
答案 4 :(得分:3)
我在玩游戏时来到这里:
>>> exm = [0,5,10,15,20,25,30,35]
>>> len(set(exm[a + 1] - exm[a] for a in range(0, len(exm) - 1))) == 1
我所做的是每对连续项确定它们在发电机中的差异。 然后我将所有这些差异添加到一个集合中以仅保留唯一值。如果此集的长度为1,则所有差异都相同。
编辑:查看cldy's answer,如果发现任何项目与初始差异不同,您可以提前停止执行:
>>> exm = [0,5,10,15,20,25,30,35]
>>> initial_diff = exm[1] - exm[0]
>>> difference_found = any((exm[a + 1] - exm[a]) != initial_diff
for a in range(1, len(exm) - 1))
答案 5 :(得分:2)
>>> x=[10,15,20,25]
>>> diff=(x[-1]-x[0])/(len(x)-1)
>>> diff
5
>>> all(x[i]+diff==x[i+1] for i in range(len(x)-1))
True
答案 6 :(得分:1)
以下是使用numpy
中的diff function的示例。
e.g。
import numpy
numpy_array = numpy.zeros(10**6)
for i in xrange(10**6):
numpy_array[i] = i
print numpy.any(numpy.diff(a) == 1)
真
答案 7 :(得分:0)
这是一个使用迭代器进行比较的解决方案..并且可能是不需要知道输入数据长度的优点;你可能可以避免首先将数百万个列表项加载到内存中......
from itertools import tee, izip
# From itertools recipes: http://docs.python.org/library/itertools.html
def pairwise(iterable):
"s -> (s0,s1), (s1,s2), (s2, s3), ..."
a, b = tee(iterable)
next(b, None)
return izip(a, b)
class DifferenceError(Exception):
pass
def difference_check(data):
idata = pairwise(data)
(a,b) = idata.next()
delta = b - a
for (a,b) in idata:
if b - a != delta:
raise DifferenceError("%s -> %s != %s" % (a,b,delta))
return True