如何.pop()
2D列表中的特定项目?
假设我有清单:
fruit_list = [['tomato', 'pineapple', 'mango'], ['cherry', 'orange', 'strawberry']]
如果我.pop()
fruit_list
它将返回['cherry', 'orange', 'strawberry']
,因为这是列表的最后一项,但是在Python中有一种方法可以弹出'mango'
,最后一个内部列表的项目?
答案 0 :(得分:2)
使用此:
item = fruit_list[0].pop()
参见下面的演示:
>>> fruit_list = [['tomato', 'pineapple', 'mango'], ['cherry', 'orange', 'strawberry']]
>>> fruit_list[0]
['tomato', 'pineapple', 'mango']
>>> fruit_list[0].pop()
'mango'
>>> fruit_list
[['tomato', 'pineapple'], ['cherry', 'orange', 'strawberry']]
>>>
注意您首先如何在fruit_list
索引0
以获取内部列表。然后,你就打电话给.pop
。
答案 1 :(得分:0)
您需要在内部列表中调用.pop()
:
fruit_list[0].pop()
您的外部fruit_list
包含更多列表对象。如果您想从其中一个那些列表中弹出一个项目,请直接在此类列表上调用.pop()
。
快速演示:
>>> fruit_list = [['tomato', 'pineapple', 'mango'], ['cherry', 'orange', 'strawberry']]
>>> fruit_list[0]
['tomato', 'pineapple', 'mango']
>>> fruit_list[0].pop()
'mango'
>>> fruit_list
[['tomato', 'pineapple'], ['cherry', 'orange', 'strawberry']]