如果在python中给出一些元组索引,如何获取子元组列表?

时间:2015-03-09 07:53:01

标签: python list tuples

有一个像

这样的元组列表
l = [(1, 2, 'a', 'b'), (3, 4, 'c', 'd'), (5, 6, 'e', 'f')]

我可以用

[(i[0], i[2], i[3]) for i in l]

获得结果

[(1, 'a', 'b'), (3, 'c', 'd'), (5, 'e', 'f')]

但如果给出一个变量列表,如[0, 2, 3],如何获得类似的结果?

2 个答案:

答案 0 :(得分:8)

使用operator.itemgetter,就像这样

>>> from operator import itemgetter
>>> getter = itemgetter(0, 2, 3)
>>> [getter(item) for item in l]
[(1, 'a', 'b'), (3, 'c', 'd'), (5, 'e', 'f')]

如果你有一个索引列表,那么你可以unpack themitemgetter,就像这样

>>> getter = itemgetter(*[0, 2, 3])
>>> [getter(item) for item in l]
[(1, 'a', 'b'), (3, 'c', 'd'), (5, 'e', 'f')]

答案 1 :(得分:5)

您可以使用生成器表达式和tuple()来提取特定索引:

[tuple(t[i] for i in indices) for t in l]

或者你可以使用operator.itemgetter() object创建一个相同的callable:

from operator import itemgetter

getindices = itemgetter(*indices)
[getindices(t) for t in l]

其中indices是您的索引列表。这是有效的,因为operator.itemgetter()恰好在检索多个索引时返回tuple对象。

演示:

>>> l = [(1, 2, 'a', 'b'), (3, 4, 'c','d'), (5, 6, 'e','f')]
>>> indices = [0, 1, 2]
>>> [tuple(t[i] for i in indices) for t in l]
[(1, 2, 'a'), (3, 4, 'c'), (5, 6, 'e')]
>>> getindices = itemgetter(*indices)
>>> from operator import itemgetter
>>> [getindices(t) for t in l]
[(1, 2, 'a'), (3, 4, 'c'), (5, 6, 'e')]