拆分这个的最好方法是什么:
tuple = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h')
进入这个:
tuples = [('a', 'b'), ('c', 'd'), ('e', 'f'), ('g', 'h')]
假设输入总是有偶数个值。
拆分这个的最好方法是什么:
tuple = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h')
进入这个:
tuples = [('a', 'b'), ('c', 'd'), ('e', 'f'), ('g', 'h')]
假设输入总是有偶数个值。
zip()
是你的朋友:
t = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h')
zip(t[::2], t[1::2])
[(tuple[a], tuple[a+1]) for a in range(0,len(tuple),2)]
或者,使用(itertools
参见配方grouper
):
from itertools import izip
def group2(iterable):
args = [iter(iterable)] * 2
return izip(*args)
tuples = [ab for ab in group2(tuple)]
我根据Peter Hoffmann 的回答呈现这段代码,作为对dfa 评论的回应。
无论您的元组是否具有偶数个元素,都可以保证工作。
[(tup[i], tup[i+1]) for i in range(0, (len(tup)/2)*2, 2)]
range 参数计算小于或等于元组长度的(len(tup)/2)*2
最大偶数,因此无论元组是否具有偶数个元素,都可以保证工作。
该方法的结果将是一个列表。可以使用该tuple()
函数将其转换为元组。
样本:
def inPairs(tup):
return [(tup[i], tup[i+1]) for i in range(0, (len(tup)/2)*2, 2)]
# odd number of elements
print("Odd Set")
odd = range(5)
print(odd)
po = inPairs(odd)
print(po)
# even number of elements
print("Even Set")
even = range(4)
print(even)
pe = inPairs(even)
print(pe)
输出
奇数集 [0, 1, 2, 3, 4] [(0, 1), (2, 3)] 偶数集 [0, 1, 2, 3] [(0, 1), (2, 3)]
这是任何大小块的通用配方,如果它可能不总是 2:
def chunk(seq, n):
return [seq[i:i+n] for i in range(0, len(seq), n)]
chunks= chunk(tuples, 2)
或者,如果您喜欢迭代器:
def iterchunk(iterable, n):
it= iter(iterable)
while True:
chunk= []
try:
for i in range(n):
chunk.append(it.next())
except StopIteration:
break
finally:
if len(chunk)!=0:
yield tuple(chunk)