29

可能重复:
在 Python 中展平一个浅列表 从 Python 中的列表列表中
制作一个平面列表 在 Python 中
合并两个列表?

快速简单的问题:

我如何合并这个。

[['a','b','c'],['d','e','f']]

对此:

['a','b','c','d','e','f']
4

6 回答 6

36

使用列表理解:

ar = [['a','b','c'],['d','e','f']]
concat_list = [j for i in ar for j in i]
于 2013-01-11T13:09:57.783 回答
20

列表连接只是用+运算符完成的。

所以

total = []
for i in [['a','b','c'],['d','e','f']]:
    total += i

print total
于 2013-01-11T12:58:58.150 回答
7

这会做:

a = [['a','b','c'],['d','e','f']]
reduce(lambda x,y:x+y,a)
于 2013-01-11T12:59:32.340 回答
4

尝试:

sum([['a','b','c'], ['d','e','f']], [])

或者更长但更快:

[i for l in [['a', 'b', 'c'], ['d', 'e', 'f']] for i in l]

或者itertools.chain按照@AshwiniChaudhary 的建议使用:

list(itertools.chain(*[['a', 'b', 'c'], ['d', 'e', 'f']]))
于 2013-01-11T13:00:15.683 回答
1

尝试列表对象的“扩展”方法:

 >>> res = []
 >>> for list_to_extend in range(0, 10), range(10, 20):
         res.extend(list_to_extend)
 >>> res
 [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19]

或更短:

>>> res = []
>>> map(res.extend, ([1, 2, 3], [4, 5, 6]))
>>> res
[1, 2, 3, 4, 5, 6]
于 2013-01-11T13:14:22.133 回答
0
mergedlist = list_letters[0] + list_letters[1]

这假设您有一个静态长度列表,并且您总是希望合并前两个

>>> list_letters=[['a','b'],['c','d']]
>>> list_letters[0]+list_letters[1]
['a', 'b', 'c', 'd']
于 2013-01-11T13:00:52.733 回答