python中常見的內(nèi)置類型
什么是魔法函數(shù)?
python的魔法函數(shù)總被雙下劃線包圍泛范,它們可以給你的類增加特殊的方法候引。如果你的對(duì)象實(shí)現(xiàn)了這些方法中的一個(gè),那么這個(gè)方法就會(huì)在特殊情況下被調(diào)用敦跌,你可以定義想要
的行為澄干,而這一切都是自動(dòng)發(fā)生的。
魔法函數(shù)一覽
魔法函數(shù)舉例
1.1.getitem
把對(duì)象變成可迭代的對(duì)象
例子:
class Company(object):
def __init__(self,employee_list):
self.employee = employee_list
#魔法函數(shù)柠傍,給類加可迭代類型
def __getitem__(self, item):
return self.employee[item]
company = Company(['11','22','33'])
#加了魔法函數(shù)“__getitem__”麸俘,類就成了可迭代的了
for em in company:
print(em) #11,22,33
如果不用魔法函數(shù)循環(huán)出每個(gè)員工的方法
class Company(object):
def __init__(self,employee_list):
self.employee = employee_list
company = Company(['11','22','33'])
for em in company.employee:
print(em)
還可以切片和獲取長(zhǎng)度
class Company(object):
def __init__(self,employee_list):
self.employee = employee_list
#魔法函數(shù)
def __getitem__(self, item):
return self.employee[item]
company = Company(['11','22','33'])
#可以切片
company1 = company[:2]
#可以判斷l(xiāng)en長(zhǎng)度
print(len(company1)) #2
for em in company1:
print(em) #11,22
1.2.len
class Company(object):
def __init__(self, employee_list):
self.employee = employee_list
#
# def __getitem__(self, item):
# return self.employee[item]
def __len__(self):
return len(self.employee)
company = Company(["11", "22", "33"])
#如果不加魔法函數(shù),len(company)會(huì)報(bào)錯(cuò)的
print(len(company)) #3
1.3. repr 和 str
兩者功能都是類到字符串的轉(zhuǎn)化惧笛,區(qū)別在于__str__
返回結(jié)果強(qiáng)可讀性从媚, __repr__
返回結(jié)果準(zhǔn)確性
1.4. init 和 new
__init__
:類的初始化方法。它獲取任何傳給構(gòu)造器的參數(shù)(比如我們調(diào)用 x = SomeClass(10, ‘foo’) 患整, init就會(huì)接到參數(shù) 10 和 ‘foo’ 拜效。 init在Python的類定義中用的最多。
__new__
:是對(duì)象實(shí)例化時(shí)第一個(gè)調(diào)用的方法各谚,它只取下 cls 參數(shù)紧憾,并把其他參數(shù)傳給 init 。 new很少使用昌渤,但是也有它適合的場(chǎng)景赴穗,尤其是當(dāng)類繼承自一個(gè)像元組或者字符串這樣不經(jīng)常改變的類型的時(shí)候。
1.5. getattribute 和 getattr和__setattr __
__getattribute__
:(print(ob.name) 和 obj.func()) 當(dāng)訪問對(duì)象的屬性或者是方法的時(shí)候觸發(fā)
class F(object):
def __init__(self):
self.name = 'A'
def hello(self):
print('hello')
def __getattribute__(self, item):
print('獲取屬性膀息,方法',item)
return object.__getattribute__(self,item)
a = F()
print(a.name)
a.hello()
獲取屬性般眉,方法 name
A
獲取屬性,方法 hello
hello
__getattr__
:攔截運(yùn)算(obj.xx)潜支,對(duì)沒有定義的屬性名和實(shí)例,會(huì)用屬性名作為字符串調(diào)用這個(gè)方法
class F(object):
def __init__(self):
self.name = 'A'
def __getattr__(self, item):
if item == 'age':
return 40
else:
raise AttributeError('沒有這個(gè)屬性')
f = F()
print(f.age)
# 40
__setattr __
:攔截 屬性的的賦值語句 (obj.xx = xx)
class F(object):
def __setattr__(self, key, value):
self.__dict__[key] = value
a = F()
a.name = 'alex'
print(a.name)