接下來我要教你另外一種讓你傷腦筋的容器型數(shù)據(jù)結(jié)構(gòu),因為一旦你學(xué)會這種容器,你將擁有超酷的能力。這是最有用的容器:字典(dictionary)。
Python 將這種數(shù)據(jù)類型叫做 “dict”,有的語言里它的名稱是 “hash”。這兩種名字我都會用到,不過這并不重要,重要的是它們和列表的區(qū)別。你看,針對列表你可以做這樣的事情:
>>> things = ['a', 'b', 'c', 'd']
>>> print things[1]
b
>>> things[1] = 'z'
>>> print things[1]
z
>>> print things
['a', 'z', 'c', 'd']
>>>
你可以使用數(shù)字作為列表的索引,也就是你可以通過數(shù)字找到列表中的元素。而 dict 所作的,是讓你可以通過任何東西找到元素,不只是數(shù)字。是的,字典可以將一個物件和另外一個東西關(guān)聯(lián),不管它們的類型是什么,我們來看看:
>>> stuff = {'name': 'Zed', 'age': 36, 'height': 6*12+2}
>>> print stuff['name']
Zed
>>> print stuff['age']
36
>>> print stuff['height']
74
>>> stuff['city'] = "San Francisco"
>>> print stuff['city']
San Francisco
>>>
你將看到除了通過數(shù)字以外,我們還可以用字符串來從字典中獲取 stuff ,我們還可以用字符串來往字典中添加元素。當(dāng)然它支持的不只有字符串,我們還可以做這樣的事情:
>>> stuff[1] = "Wow"
>>> stuff[2] = "Neato"
>>> print stuff[1]
Wow
>>> print stuff[2]
Neato
>>> print stuff
{'city': 'San Francisco', 2: 'Neato',
'name': 'Zed', 1: 'Wow', 'age': 36,
'height': 74}
>>>
在這里我使用了兩個數(shù)字。其實我可以使用任何東西,不過這么說并不準(zhǔn)確,不過你先這么理解就行了。
當(dāng)然了,一個只能放東西進(jìn)去的字典是沒啥意思的,所以我們還要有刪除物件的方法,也就是使用 del 這個關(guān)鍵字:
>>> del stuff['city']
>>> del stuff[1]
>>> del stuff[2]
>>> stuff
{'name': 'Zed', 'age': 36, 'height': 74}
>>>
接下來我們要做一個練習(xí),你必須非常仔細(xì),我要求你將這個練習(xí)寫下來,然后試著弄懂它做了些什么。這個練習(xí)很有趣,做完以后你可能會有豁然開朗的感覺。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 | class Song(object):
def __init__(self, lyrics):
self.lyrics = lyrics
def sing_me_a_song(self):
for line in self.lyrics:
print line
happy_bday = Song(["Happy birthday to you",
"I don't want to get sued",
"So I'll stop right there"])
bulls_on_parade = Song(["They rally around the family",
"With pockets full of shells"])
happy_bday.sing_me_a_song()
bulls_on_parade.sing_me_a_song()
|
Warning
注意到我用了 themap 而不是 map 了吧?這是因為 Python 已經(jīng)有一個函數(shù)稱作 map 了,所以如果你用 map 做變量名,你后面可能會碰到問題。
Happy birthday to you
I don't want to get sued
So I'll stop right there
They rally around the family
With pockets full of shells