This article mainly introduces you to the implementation method of merging the elements of sublists in Python. For example, given two lists containing sublists, the task is to merge the elements of the sublists of the two lists in a single list. (Related recommendations: "Python Tutorial")
Below we will explain how to merge sublist elements in Python with specific code examples.
Example:
输入: list1 = [[1, 20, 30], [40, 29, 72], [119, 123, 115]] list2 = [[29, 57, 64, 22], [33, 66, 88, 15], [121, 100, 15, 117]] 输出: [[1, 20, 30, 29, 57, 64, 22], [40, 29, 72, 33, 66, 88, 15], [119, 123, 115, 121, 100, 15, 117]]
Method 1: Use Map lambda
# 初始化第一个列表 list1 = [[1, 20, 30], [40, 29, 72], [119, 123, 115]] # 初始化第二个列表 list2 = [[29, 57, 64, 22], [33, 66, 88, 15], [121, 100, 15, 117]] #使用map + lambda合并列表 Output = list(map(lambda x, y:x + y, list1, list2)) # 打印输出 print(Output)
Output:
[[1, 20, 30, 29, 57, 64, 22], [40, 29, 72, 33, 66, 88, 15], [119, 123, 115, 121, 100, 15, 117]]
Method 2: Use Zip()
list1 = [[1, 20, 30], [40, 29, 72], [119, 123, 115]] list2 = [[29, 57, 64, 22], [33, 66, 88, 15], [121, 100, 15, 117]] Output = [x + y for x, y in zip(list1, list2)] print(Output)
Output:
[[1, 20, 30, 29, 57, 64, 22], [40, 29, 72, 33, 66, 88, 15], [119, 123, 115, 121, 100, 15, 117]]
Method 3: Use starmap() and concat()
from operator import concat from itertools import starmap list1 = [[1, 20, 30], [40, 29, 72], [119, 123, 115]] list2 = [[29, 57, 64, 22], [33, 66, 88, 15], [121, 100, 15, 117]] Output = list(starmap(concat, zip(list1, list2))) print(Output)
Output:
[[1, 20, 30, 29, 57, 64, 22], [40, 29, 72, 33, 66, 88, 15], [119, 123, 115, 121, 100, 15, 117]]
This article is an introduction to the method of merging elements of sublists in Python. I hope it will be helpful to friends in need!
The above is the detailed content of How to merge elements of sublists in Python?. For more information, please follow other related articles on the PHP Chinese website!