Python字典是Python中一種非常重要的數(shù)據(jù)類型,也是編寫Python程序中不可或缺的一部分。字典提供了一種便捷的方式來存儲和管理對應(yīng)關(guān)系。在這篇文章中,我們將詳細(xì)介紹Python字典的用法和特性。
一、創(chuàng)建和訪問Python字典
創(chuàng)建Python字典非常簡單,只需要使用一對花括號 {},在其中加入鍵值對即可:
>>> empty_dict = {}
>>> sample_dict = {'name': 'John', 'age': 30, 'gender': 'male'}
這樣就可以創(chuàng)建一個(gè)空字典和一個(gè)包含三個(gè)鍵值對的字典。可以使用鍵來訪問對應(yīng)的值:
>>> sample_dict['name']
'John'
>>> sample_dict['age']
30
也可以使用 get()
方法來獲取對應(yīng)的值,如果鍵不存在,get()
方法會返回 None 或者指定的默認(rèn)值:
>>> sample_dict.get('height')
None
>>> sample_dict.get('height', 175)
175
二、添加、修改和刪除Python字典中的鍵值對
可以使用 []
符號來添加或修改字典中的鍵值對:
>>> sample_dict['height'] = 175
>>> sample_dict['height']
175
>>> sample_dict['age'] = 31
>>> sample_dict['age']
31
要刪除鍵值對,可以使用 del
關(guān)鍵字:
>>> del sample_dict['gender']
三、Python字典的常用操作
1. 字典的長度和清空
使用 len()
函數(shù)可以獲得字典的長度,用 clear()
方法可以清空字典:
>>> len(sample_dict)
3
>>> sample_dict.clear()
>>> len(sample_dict)
0
2. 獲取字典的鍵列表和值列表
使用 keys()
方法可以獲得字典的鍵列表,使用 values()
方法可以獲得字典的值列表:
>>> sample_dict = {'name': 'John', 'age': 30, 'gender': 'male'}
>>> sample_dict.keys()
dict_keys(['name', 'age', 'gender'])
>>> sample_dict.values()
dict_values(['John', 30, 'male'])
3. 檢查鍵是否存在
可以使用 in
關(guān)鍵字或者 has_key()
方法檢查指定的鍵是否存在:
>>> 'name' in sample_dict
True
>>> 'height' in sample_dict
False
>>> sample_dict.has_key('name')
True
>>> sample_dict.has_key('height')
False
四、Python字典的高級功能
1. 字典的復(fù)制
兩個(gè)字典變量可以指向同一個(gè)字典對象。如果想要創(chuàng)建一個(gè)新的字典,可以使用 copy()
方法或者使用字典簡寫方式:new_dict = old_dict.copy()
或者 new_dict = {'key': value for key, value in old_dict.items()}
:
>>> sample_dict = {'name': 'John', 'age': 30, 'gender': 'male'}
>>> dict_copy = sample_dict.copy()
>>> dict_copy['name'] = 'Jane'
>>> sample_dict['name']
'John'
>>> dict_copy['name']
'Jane'
2. 字典的更新
使用 update()
方法可以將一個(gè)字典的鍵值對更新到另一個(gè)字典中:
>>> sample_dict = {'name': 'John', 'age': 30, 'gender': 'male'}
>>> new_dict = {'height': 175, 'weight': 70}
>>> sample_dict.update(new_dict)
>>> sample_dict
{'name': 'John', 'age': 30, 'gender': 'male', 'height': 175, 'weight': 70}
3. 字典的遍歷
可以使用 items()
方法遍歷字典中的鍵值對:
>>> sample_dict = {'name': 'John', 'age': 30, 'gender': 'male'}
>>> for key, value in sample_dict.items():
... print(key, value)
...
name John
age 30
gender male
4. 字典的推導(dǎo)式
字典推導(dǎo)式可以快速創(chuàng)建一個(gè)字典,如下所示:
>>> sample_dict = {str(i): i for i in range(5)}
>>> sample_dict
{'0': 0, '1': 1, '2': 2, '3': 3, '4': 4}
以上就是Python字典的常用操作和高級功能了。字典是Python編程中非常實(shí)用的一種數(shù)據(jù)類型,常見于數(shù)據(jù)存儲和處理中,相信大家已經(jīng)可以熟練地使用字典了。