0

所以我试图创建一个函数,它结合了元组的元素。

例如:

[(1,2),("Hi","Bye")]['12', 'HiBye']功能实现后会变成。

如何在 Python 中实现这一点?

4

4 回答 4

1

对于配对,您可以执行以下操作:

>>> list(map(lambda pair:"%s%s"%pair, [(1,2),("Hi","Bye")]))
['12', 'HiBye']

或者如果您想处理任意元组,而不仅仅是对:

>>> list(map(lambda l:''.join(map(str, l)), [(1,2),("Hi","Bye")]))
['12', 'HiBye']
>>> list(map(lambda l:''.join(map(str, l)), [(1,2,3),("Hi","Bye","Ciao")]))
['123', 'HiByeCiao']
于 2013-11-08T22:35:12.050 回答
0

尝试结合map()reduce()

import operator

lst = [("1", "2"), ("c", "d")]
map(lambda x: reduce(operator.concat, x, ""), lst)

匹配项必须是可连接的,即您需要先将它们转换为例如字符串。或将其包含在代码中:

import operator

lst = [(1, 2, 3, 52), ("c", "d")]
map(lambda x: reduce(operator.concat, map(str, x), ""), lst)

使用string.join()也是可能的(可能更pythonic):

lst = [(1, 2, 3, 52), ("c", "d")]
map(lambda x: ''.join(map(str, x)), lst)
于 2013-11-08T22:35:34.127 回答
0

尝试这个:

L = [(1, 2), ('Hi', 'Bye')]
L = list(map(lambda t : str(t[0]) + str(t[1]), L))
于 2013-11-08T22:32:42.953 回答
0

使用列表理解:

myList = [(1,2),("Hi","Bye")]

answer = [str(t[0]) + str(t[1]) for t in myList]
于 2013-11-08T22:39:03.300 回答