📜  Python Dict.popitem()方法

📅  最后修改于: 2020-10-30 05:22:06             🧑  作者: Mango

Python字典popitem()方法

Python popitem()方法从字典中删除一个元素。它删除任意元素并返回其值。如果字典为空,则返回错误KeyError。该方法的语法如下。

签名

popitem()

参量

没有参数

返回

它返回弹出的元素。

让我们来看一些popitem()方法的示例,以了解其功能。

Python字典popitem()方法示例1

我们首先来看一个简单的示例,该示例使用popitem()方法删除元素。

# Python dictionary popitem() Method
# Creating a dictionary
inventory = {'shirts': 25, 'paints': 220, 'shocks': 525, 'tshirts': 217}
# Displaying result
print(inventory)
p = inventory.popitem()
print("Removed",p)
print(inventory)

输出:

{'shirts': 25, 'paints': 220, 'shocks': 525, 'tshirts': 217}
Removed ('tshirts', 217)
{'shirts': 25, 'paints': 220, 'shocks': 525}

Python字典popitem()方法示例2

如果字典为空,则返回错误KeyError。请参见下面的示例。

# Python dictionary popitem() Method
# Creating a dictionary
inventory = {}
# Displaying result
print(inventory)
p = inventory.popitem()
print("Removed",p)
print(inventory)

输出:

KeyError: 'popitem(): dictionary is empty'

Python字典popitem()方法示例3

在此示例中,我们将删除并更新字典以了解此方法的功能。

# Python dictionary popitem() Method
# Creating a dictionary
inventory = {'shirts': 25, 'paints': 220, 'shocks': 525, 'tshirts': 217}
# Displaying result
print(inventory)
p = inventory.popitem()
print("Removed",p)
print(inventory)
inventory.update({'pajama':117})
print(inventory)

输出:

{'shirts': 25, 'paints': 220, 'shocks': 525, 'tshirts': 217}
Removed ('tshirts', 217)
{'shirts': 25, 'paints': 220, 'shocks': 525}
{'shirts': 25, 'paints': 220, 'shocks': 525, 'pajama': 117}