相信大家看到這個標(biāo)題的時候也會立馬在腦海里面過一遍干毅,覺得大多數(shù)時候我們并不太需要關(guān)注getattribute
和getattr
的一些細(xì)節(jié)(至少我自己吧:)),
一般情況下消費(fèi)我們自定義的類的時候陷猫,我們對類的結(jié)構(gòu)都了解,不會刻意偏離只厘,造成一些屬性訪問的錯誤烙丛。
不過作為一個有好奇心有追求有氣質(zhì)的python寶寶舅巷,怎么可能不稍稍研究一下呢羔味。好吧,其實是在github上讀到一個開源項目sinaweibopy的源碼才看的钠右,代碼挺有意思赋元,正好當(dāng)作一個實用的例子,來看看如何自定義實現(xiàn)gettattr
讓代碼更加的動態(tài)優(yōu)雅:
# 例子在原來的基礎(chǔ)上簡化了一下飒房,排除依賴和干擾搁凸,詳細(xì)參見原項目
class UrlGenerator(object):
def __init__(self, root_url):
self.url = root_url
def __getattr__(self, item):
if item == 'get' or item == 'post':
print self.url
return UrlGenerator('{}/{}'.format(self.url, item))
url_gen = UrlGenerator('http://xxxx')
url_gen.users.show.get
>>> http://xxxx/users/show
充分利用getattr
會在沒有查找到相應(yīng)實例屬性時被調(diào)用的特點(diǎn),方便的通過鏈?zhǔn)秸{(diào)用生成對應(yīng)的url狠毯,源代碼中在碰到http method的時候返回一個
可調(diào)用的對象更加的優(yōu)雅护糖,鏈?zhǔn)降牟僮鞑粌H優(yōu)雅而且還能很好的說明調(diào)用的接口的意義(restful的接口啦)。
既然能通過定制類的getattr
自定義方法來實現(xiàn)一些優(yōu)雅的功能嚼松,自然我們也要對它有一些了解嫡良,包括和它相似的自定義方法getattribute
1. 用作實例屬性的獲取和攔截
當(dāng)訪問某個實例屬性時锰扶, getattribute會被無條件調(diào)用,如未實現(xiàn)自己的getattr方法寝受,會拋出AttributeError
提示找不到這個屬性坷牛,如果自定義了自己getattr方法的話,方法會在這種找不到屬性的情況下被調(diào)用很澄,比如上面的例子中的情況京闰。所以在找不到屬性的情況下通過實現(xiàn)自定義的getattr方法來實現(xiàn)一些功能是一個不錯的方式,因為它不會像getattribute方法每次都會調(diào)用可能會影響一些正常情況下的屬性訪問:
class Test(object):
def __init__(self, p):
self.p = p
def __getattr__(self, item):
return 'default'
t = Test('p1')
print t.p
print t.p2
>>> p1
>>> default
2. 自定義getattribute的時候防止無限遞歸
因為getattribute在訪問屬性的時候一直會被調(diào)用甩苛,自定義的getattribute方法里面同時需要返回相應(yīng)的屬性蹂楣,通過self.__dict__
取值會繼續(xù)向下調(diào)用getattribute,造成循環(huán)調(diào)用:
class AboutAttr(object):
def __init__(self, name):
self.name = name
def __getattribute__(self, item):
try:
return super(AboutAttr, self).__getattribute__(item)
except KeyError:
return 'default'
這里通過調(diào)用綁定的super對象來獲取隊形的屬性讯蒲,對新式類來說其實和object.__getattribute__(self, item)
一樣的道理:
- 默認(rèn)情況下自定義的類會從object繼承
getattribute
方法捐迫,對于屬性的查找是完全能用的 - getattribute的實現(xiàn)感覺還是挺抽象化的,只需要綁定相應(yīng)的實例對象和要查找的屬性名稱就行
3.同時覆蓋掉getattribute和getattr的時候爱葵,在getattribute中需要模仿原本的行為拋出AttributeError或者手動調(diào)用getattr
class AboutAttr(object):
def __init__(self, name):
self.name = name
def __getattribute__(self, item):
try:
return super(AboutAttr, self).__getattribute__(item)
except KeyError:
return 'default'
except AttributeError as ex:
print ex
def __getattr__(self, item):
return 'default'
at = AboutAttr('test')
print at.name
print at.not_exised
>>>test
>>>'AboutAttr' object has no attribute 'not_exised'
>>>None
上面例子里面的getattr方法根本不會被調(diào)用施戴,因為原本的AttributeError被我們自行處理并未拋出,也沒有手動調(diào)用getattr萌丈,所以訪問not_existed
的結(jié)果是None而不是default.
關(guān)于getattribute和getattr的特性與區(qū)別就扯到這赞哗,要更深入的了解可以自行g(shù)oogle,編寫高質(zhì)量代碼:改善Python程序的91個建議這本書里面也有一些詳細(xì)的介紹辆雾。
參考資料: