1我循环查找一系列数字,寻找数字范围(例如< 100)。
例如为: list = [1,2,3,125,7,8,9,200]。 我想要一个文件:1-3,7-9。 我遇到的问题是外循环将重复内循环中的项目,因此我得到的输出是:1-3,2-3,3,7-9,8-9,9。
我当前的策略有效:
counter = 1
for i in range(len(list)): # outer loop
if counter > 1: # prevents the outer loop from iterating the numbers iterated in inner loop
counter -= 1
continue
elif counter <=1:
while list[i] < 100:
i +=1
counter +=1
if list[i] > 100:
print list[i-counter], '-', list[i]
break
我想知道是否有更多的pythonic方法让外循环跳过已经在内循环中迭代的项目,而不是使用额外的计数器(就像我上面所做的那样)。感谢。
编辑:很少有回复专注于连续数字。我的错误,这个数字不一定是连续的。我只需要该范围内的第一个和最后一个数字 例如。 list = [1,4,8,12,57,200,4,34,300]。输出:1 - 57,4 - 34。 列表和标准取决于用户。标准将始终是具有比较运算符'&lt;'的数字。感谢。
答案 0 :(得分:4)
您不需要两个循环。一个就足够了:
def ranges(seq):
it = iter(seq)
start = end = next(it)
for val in it:
if val == end + 1:
end = val
else:
if end - start > 1:
yield start, end
start = end = next(it)
for start, end in ranges([1, 2, 3, 125, 7, 8, 9, 200]):
print('%d-%d' % (start, end))
逻辑与您的逻辑略有不同:它查找由连续数字组成的子序列(在您的示例中为1 2 3
和7 8 9
)。如果需要,可以轻松更改逻辑,以便以任意数字>= 100
打破序列。
答案 1 :(得分:2)
基于while循环的替代方法:
def print_ranges(given_list, limit):
while given_list:
start = end = given_list.pop(0)
if start < limit:
while given_list and (given_list[0] < limit):
end = given_list.pop(0)
if (end != start):
print "%d-%d"%(start,end) # or save it in another list
一些测试:
>>> print_ranges([1,4,8, 200, 4,34, 72, 300], 100)
1-8
34-72
>>> print_ranges([1, 4, 8, 12, 57, 200, 4, 34, 300], 100)
1-57
4-34
>>> print_ranges([1, 4, 8, 12, 57, 200, 4, 34, 300], 250)
1-34
答案 2 :(得分:0)
使用zip()
:
zip(lis,lis[1:])
返回类似的内容:
[(0, 1),
(1, 2),
(2, 3),
(3, 5),
(5, 6),...]
现在您可以遍历此列表以检查差异是否为1。
<强>码强>
In [103]: def ranges(lis):
ans=[]
z=zip(lis,lis[1:])
for x,y in z:
if y-x==1:
ans.extend([x,y])
else:
if ans:
yield "{0}-{1}".format(min(ans),max(ans))
ans=[]
if ans:
yield "{0}-{1}".format(min(ans),max(ans))
.....:
In [104]: lis=[0,1,2,3,5,6,7,8,10,11,2,3,4]
In [105]: list(ranges(lis))
Out[105]: ['0-3', '5-8', '10-11', '2-4']