Python中的多元组到双组元组?

时间:2009-04-16 15:02:38

标签: python data-structures tuples

分裂这个的最好方法是什么:

tuple = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h')

进入这个:

tuples = [('a', 'b'), ('c', 'd'), ('e', 'f'), ('g', 'h')]

假设输入始终具有偶数个值。

5 个答案:

答案 0 :(得分:38)

zip()是你的朋友:

t = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h')
zip(t[::2], t[1::2])

答案 1 :(得分:15)

[(tuple[a], tuple[a+1]) for a in range(0,len(tuple),2)]

答案 2 :(得分:7)

或者,使用itertools(请参阅grouper的{​​{3}}):

from itertools import izip
def group2(iterable):
   args = [iter(iterable)] * 2
   return izip(*args)

tuples = [ab for ab in group2(tuple)]

答案 3 :(得分:0)

我根据Peter Hoffmann's answer提供此代码作为对dfa's comment的回复。

无论你的元组是否具有偶数个元素,都可以保证工作。

[(tup[i], tup[i+1]) for i in range(0, (len(tup)/2)*2, 2)]

(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)

输出

Odd Set
[0, 1, 2, 3, 4]
[(0, 1), (2, 3)]
Even Set
[0, 1, 2, 3]
[(0, 1), (2, 3)]

答案 4 :(得分:-1)

这是任意大小的块的一般配方,如果它可能不总是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)