Python|通过加入字符串将元组列表合并到列表中
有时,我们需要通过特殊字符连接元组的两个元素来将元组列表转换为列表。这通常与字符到字符串转换的情况有关。开发领域通常需要这种类型的任务来将名称合并到一个元素中。让我们讨论可以执行此操作的某些方式。
让我们尝试通过代码示例更好地理解它。
方法 1:使用列表推导和join()
# Python code to convert list of tuple into list
# by joining elements of tuple
# Input list initialisation
Input = [('Hello', 'There'), ('Namastey', 'India'), ('Incredible', 'India')]
# using join and list comprehension
Output = ['_'.join(temp) for temp in Input]
# printing output
print(Output)
输出:
['Hello_There', 'Namastey_India', 'Incredible_India']
方法2:使用map和join()
# Python code to convert list of tuple into list
# by joining elements of tuple
# Input list initialisation
Input = [('Hello', 'There'), ('Namastey', 'India'), ('Incredible', 'India')]
# using map and join
Output = list(map('_'.join, Input))
# printing output
print(Output)
输出:
['Hello_There', 'Namastey_India', 'Incredible_India']