Python 基础教程

Python 流程控制

Python 函数

Python 数据类型

Python 文件操作

Python 对象和类

Python 日期和时间

Python 高级知识

Python 参考手册

Python 字典 update() 使用方法及示例

Python 字典方法

update()方法向字典插入指定的项目。这个指定项目可以是字典或可迭代对象。

如果键不在字典中,则update()方法将元素添加到字典中。如果键在字典中,它将使用新值更新键。

update()的语法为:

dict.update([other])

update()参数

update()方法采用字典或键/值对(通常为元组)的可迭代对象  。

如果在不传递参数的情况下调用update(),则字典保持不变。

update()返回值 

update()方法使用字典对象或键/值对的可迭代对象中的元素更新字典。

它不返回任何值(返回None)。

示例1:update()如何在Python中工作?

d = {1: "one", 2: "three"}
d1 = {2: "two"}

# 更新key=2的值
d.update(d1)
print(d)

d1 = {3: "three"}

# 使用键3添加元素
d.update(d1)
print(d)

运行该程序时,输出为:

{1: 'one', 2: 'two'}
{1: 'one', 2: 'two', 3: 'three'}

示例2:update()如何与Iterable一起使用?

d = {'x': 2}

d.update(y = 3, z = 0)
print(d)

运行该程序时,输出为:

{'x': 2, 'y': 3, 'z': 0}

Python 字典方法