您可以使用这种方式从左到右排序数字的迭代器
>>> import math
>>> number = int(123456789012345678901)
>>> #Get the maximum power of 10 using a logarithm
>>> max_digit = int(math.log10(number))
>>> range_pow = xrange(max_digit, 0, -1)
>>> # pot is an iterator with 1000, 100, 10, 1...
>>> pot = ( 10**x for x in range_pow)
>>> #Get the digits one by one on an iterator
>>> digits = ( (number/x)%10 for x in pot )
>>> l = list(digits)
>>> print l
[1L, 2L, 3L, 4L, 5L, 6L, 7L, 8L, 9L, 0L, 1L, 2L, 3L, 4L, 5L, 6L, 7L, 8L, 9L, 0L]
然后你可以检查序列是否存在......我正在寻找一种简单的方法来通过迭代器来做到这一点,就像一个状态机来解析结果,但我不确定是否有内置的方法在不制作列表或自己制作有限状态机的情况下做到这一点......
您可以使用这样的方法,但我认为它会破坏性能(与在迭代器上在低级别完成的有限状态解析相比),因为您需要构建列表,而不是直接使用迭代器:
>>> print l
[1L, 2L, 3L, 4L, 5L, 6L, 7L, 8L, 9L, 0L, 1L, 2L, 3L, 4L, 5L, 6L, 7L, 8L, 9L, 0L]
>>> find = [1,2,3]
>>> lf = len(find)
>>> for i in xrange(len(l)):
... if find == l[i:i+lf]:
... print 'Found!', i
Found! 1
Found! 11
编辑:
我提供了一种更迭代的方式来做事......如果需要,可以改进数字参数以从数字创建列表。
import math
from itertools import count
def find_digits_in_number(digits, number):
#Get the maximum power of 10 using a logarithm
max_digit = int(math.log10(number))
range_pow = xrange(max_digit, -1, -1)
# pot is an iterator with 1000, 100, 10, 1...
pot = (10 ** x for x in range_pow)
#Get the digits one by one on an iterator
dig = ((number / x) % 10 for x in pot)
#Current will store a moving windows with the
#size of the digits length to check if present
current = []
for i in digits:
current.append(next(dig))
digits = list(digits)
founds = []
#The basic loop is this...
#for digit, i in zip(dig, count()):
# if current == digits:
# founds.append(i)
# current.pop(0)
# current.append(digit)
#But it can also be optimized like this list comprehension,
#while it's much less readable
[ (founds.append(i) if current == digits else None,\
current.pop(0), current.append(digit)) \
for digit, i in zip(dig, count()) ]
#Check last posibility, with the last values
if current == digits:
founds.append(i + 1)
return founds
if __name__ == '__main__':
assert find_digits_in_number((3, 4, 5), 123456789012345678901) == [2, 12]
assert find_digits_in_number((3, 4), 123456789034) == [2, 10]