在列表中从 Python 元组访问第 n 个元素
Python 列表可以将元组作为其元素。在本文中,我们将探讨如何访问作为给定元组元素的元组中的每个第 n 个元素。
使用索引
我们可以设计一个 for 循环来访问列表中的元素,并对其应用第 n 个索引的 in 子句。然后,我们将结果存储到新列表中。
示例
Alist = [('Mon','3 pm',10),('Tue','12pm',8),('Wed','9 am',8),('Thu','6 am',5)] #Given list print("Given list: ",Alist) # Use index res = [x[1] for x in Alist] print("The 1 st element form each tuple in the list: \n",res)
输出
运行上面的代码将得到以下结果:
Given list: [('Mon', '3 pm', 10), ('Tue', '12pm', 8), ('Wed', '9 am', 8), ('Thu', '6 am', 5)] The 1 st element form each tuple in the list: ['3 pm', '12pm', '9 am', '6 am']
使用 itemgetter
operator 模块中的 itegetter 函数可以从给定的可迭代对象中获取每个项目,直到搜索到该可迭代对象的结尾。在这个程序中,我们搜索给定列表中的索引位置 2,并应用一个map函数,以便对itegetter函数结果中的每个结果反复应用相同的函数。最后,我们将结果存储为一个列表。
示例
from operator import itemgetter Alist = [('Mon','3 pm',10),('Tue','12pm',8),('Wed','9 am',8),('Thu','6 am',5)] #Given list print("Given list: ",Alist) # Use itemgetter res = list(map(itemgetter(2), Alist)) print("The 1 st element form each tuple in the list: \n",res)
输出
运行上面的代码将得到以下结果:
Given list: [('Mon', '3 pm', 10), ('Tue', '12pm', 8), ('Wed', '9 am', 8), ('Thu', '6 am', 5)] The 1 st element form each tuple in the list: [10, 8, 8, 5]
广告