當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


Python dict()用法及代碼示例


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:使用 Iterable 創建字典

# keyword argument is not passed
numbers1 = dict([('x', 5), ('y', -5)])
print('numbers1 =',numbers1)

# keyword argument is also passed
numbers2 = dict([('x', 5), ('y', -5)], z=8)
print('numbers2 =',numbers2)

# zip() creates an iterable in 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)

# you don't need to use dict() in above code
numbers2 = {'x': 4, 'y': 5}
print('numbers2 =',numbers2)

# keyword argument is also passed
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 dict()。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。