3

是否有一种将 2 个列表“合并”在一起的好方法,以便一个列表中的项目可以附加到列表中列表的末尾?例如...

a2dList=[['a','1','2','3','4'],['b','5','6','7','8'],[........]]
otherList = [9,8,7,6,5]

theFinalList=[['a','1','2','3','4',9],['b','5','6','7','8',8],[....]]

我不确定 a2dList 是否由字符串组成,而 otherList 是数字......我试过append但我最终得到

theFinalList=[['a','1','2','3','4'],['b','5','6','7','8'],[.......],[9,8,7,6,5]
4

3 回答 3

5
>>> a2dList=[['a','1','2','3','4'],['b','5','6','7','8']]
>>> otherList = [9,8,7,6,5]
>>> for x, y in zip(a2dList, otherList):
        x.append(y)


>>> a2dList
[['a', '1', '2', '3', '4', 9], ['b', '5', '6', '7', '8', 8]]

在 Python 2.x 上考虑itertools.izip改用惰性压缩:

from itertools import izip # returns iterator instead of a list

另请注意,zip到达最短可迭代项的末尾时将自动停止,因此如果otherLista2dList只有1项目,此解决方案将毫无错误地工作,按索引修改列表会冒这些潜在问题的风险。

于 2013-05-21T09:56:28.670 回答
1
>>> a = [[1,2,3,4],[1,2,3,4]]
>>> b = [5,6]
>>> for index,element in enumerate(b):
        a[index].append(element)


>>> a
[[1, 2, 3, 4, 5], [1, 2, 3, 4, 6]]
于 2013-05-21T10:02:20.633 回答
0
zip(*zip(*a2dList)+[otherList])
于 2013-05-21T10:48:14.890 回答