Python字典dict常用內(nèi)置函數(shù)詳解
字典是 Python 中很重要的數(shù)據(jù)類型,有很多內(nèi)置函數(shù)需要了解。
1.dict.clear
清除字典中所有鍵值對。
dict = {'a':10, 'b':20, 'c':30}
dict.clear()
print(dict) # {}2.dict.get
如果鍵存在于字典中,則返回該鍵的值。
如果未找到,則返回 None。
指定可選參數(shù)之后,未找到返回默認值。
dict = {'a':10, 'b':20, 'c':30}
print(dict.get('c')) # 30
print(dict.get('g')) # None
print(dict.get('g', -1)) # -1 指定可選參數(shù)3.dict.items
返回字典中的鍵值對列表。
items() 返回包含鍵值對的元組列表。
每個元組中的第一項是鍵,第二項是鍵的值。
dict = {'a':10, 'b':20, 'c':30}
dict.items() # dict_items([('a', 10), ('b', 20), ('c', 30)])
list(dict.items()) # [('a', 10), ('b', 20), ('c', 30)]
list(dict.items())[1] # ('b', 20)
list(dict.items())[1][0] # 'b'4.dict.keys
返回字典中的鍵列表。
dict = {'a':10, 'b':20, 'c':30}
dict.keys() # dict_keys(['a', 'b', 'c'])
list(dict.keys()) # ['a', 'b', 'c']5.dict.values
返回字典中的值列表。
dict = {'a':10, 'b':20, 'c':30}
dict.values() # dict_values([10, 20, 30])
list(dict.values()) # [10, 20, 30]
# 即使值重復,也會被多次返回
dict2 = {'a':10, 'b':10, 'c':30}
list(dict2.values()) # [10, 10, 30]6.dict.pop
從字典中刪除一個鍵,如果它存在,并返回它的值。
如果不存在,則引發(fā)異常 KeyError。
指定可選參數(shù),不存在時返回默認值,不引發(fā)異常。
dict = {'a':10, 'b':20, 'c':30}
dict.pop('b') # 20
print(dict) # {'a': 10, 'c': 30}
dict.pop('g')
'''
Traceback (most recent call last):
File "<ipython-input-20-a81e983a7be0>", line 1, in <module>
dict.pop('g')
KeyError: 'g'
'''
dict.pop('g', -1) # -17.dict.popitem
從字典中刪除最后面的鍵值對,并返回。
直到字典被刪除至空,則引發(fā)異常 KeyError。
dict = {'a':10, 'b':20, 'c':30}
dict.popitem() # ('c', 30)
print(dict) # {'a': 10, 'b': 20}
dict.popitem() # ('b', 20)
print(dict) # {'a': 10}
dict.popitem() # ('a', 10)
print(dict) # {}
dict.popitem()
'''
Traceback (most recent call last):
File "<ipython-input-28-7e744445e3d2>", line 1, in <module>
dict.popitem()
KeyError: 'popitem(): dictionary is empty'
'''注意:在低于 3.6 的 Python 版本中,popitem( ) 將返回任意(隨機)鍵值對,因為 Python 字典在 3.6 版本之前是無序的。
8.dict.update
將字典與另一個字典或可迭代的鍵值對合并。
dict = {'a':10, 'b':20, 'c':30}
dict2 = {'b':200, 'd':400}
dict.update(dict2)
print(dict) # {'a': 10, 'b': 200, 'c': 30, 'd': 400}所有的值都被更新。
到此這篇關(guān)于Python字典dict常用內(nèi)置函數(shù)詳解的文章就介紹到這了,更多相關(guān)Python字典內(nèi)置函數(shù)內(nèi)容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關(guān)文章希望大家以后多多支持腳本之家!
相關(guān)文章
使用Python操作MySQL數(shù)據(jù)庫的教程詳解
在這篇文章中,主要為大家詳細介紹如何在Python中使用pymysql模塊來操作MySQL數(shù)據(jù)庫,文中的示例代碼簡介易懂,需要的小伙伴可以跟隨小編一起學習一下2023-07-07
詳解python 拆包可迭代數(shù)據(jù)如tuple, list
拆包是指將一個結(jié)構(gòu)中的數(shù)據(jù)拆分為多個單獨變量中。下面通過本文給大家介紹python 拆包可迭代數(shù)據(jù)如tuple, list的相關(guān)資料,需要的朋友參考下吧2017-12-12
Python 讀取xml數(shù)據(jù),cv2裁剪圖片實例
這篇文章主要介紹了Python 讀取xml數(shù)據(jù),cv2裁剪圖片實例,具有很好的參考價值,希望對大家有所幫助。一起跟隨小編過來看看吧2020-03-03
使用GitHub和Python實現(xiàn)持續(xù)部署的方法
這篇文章主要介紹了使用GitHub和Python實現(xiàn)持續(xù)部署的方法,小編覺得挺不錯的,現(xiàn)在分享給大家,也給大家做個參考。一起跟隨小編過來看看吧2019-05-05

