Python 基础教程

Python 流程控制

Python 函数

Python 数据类型

Python 文件操作

Python 对象和类

Python 日期和时间

Python 高级知识

Python 参考手册

Python dict() 使用方法及示例

Python 内置函数

dict()构造函数在Python中创建一个字典。

dict()构造函数的有多种形式,分别是:

class dict(**kwarg)
class dict(mapping, **kwarg)
class dict(iterable, **kwarg)

注意:**kwarg允许您接受任意数量的关键字参数。

关键字参数是一个以标识符(例如name=)开头的参数。因此,表单的关键字参数将kwarg=value传递给dict()构造函数以创建字典。

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

示例1:仅使用关键字参数创建字典

numbers = dict(x=5, y=0)
print('numbers =', numbers)
print(type(numbers))

empty = dict()
print('empty =', empty)
print(type(empty))

运行该程序时,输出为:

numbers = {'y': 0, 'x': 5}
<class 'dict'>
empty = {}
<class 'dict'>

示例2:使用可迭代创建字典

# 不传递关键字参数
numbers1 = dict([('x', 5), ('y', -5)])
print('numbers1 =',numbers1)

# 关键字参数也被传递
numbers2 = dict([('x', 5), ('y', -5)], z=8)
print('numbers2 =',numbers2)

# zip() 在Python 3中创建一个可迭代的对象
numbers3 = dict(dict(zip(['x', 'y', 'z'], [1, 2, 3])))
print('numbers3 =',numbers3)

运行该程序时,输出为:

numbers1 = {'y': -5, 'x': 5}
numbers2 = {'z': 8, 'y': -5, 'x': 5}
numbers3 = {'z': 3, 'y': 2, 'x': 1}

示例3:使用映射创建字典

numbers1 = dict({'x': 4, 'y': 5})
print('numbers1 =',numbers1)

# 您不需要在上述代码中使用dict()
numbers2 = {'x': 4, 'y': 5}
print('numbers2 =',numbers2)

#关键字参数也被传递
numbers3 = dict({'x': 4, 'y': 5}, z=8)
print('numbers3 =',numbers3)

运行该程序时,输出为:

numbers1 = {'x': 4, 'y': 5}
numbers2 = {'x': 4, 'y': 5}
numbers3 = {'x': 4, 'z': 8, 'y': 5}

推荐阅读: Python词典以及如何使用它们 Python 内置函数