[Python]面向物件程式設計---例項(3)
阿新 • • 發佈:2019-01-04
三、例項
1、__init__() "構造器"方法
當類被呼叫,例項化的第一步是建立例項物件,一旦物件建立了,Python檢查是否實現了__init__()方法。
(1) 如果沒有定義或覆蓋__init__(),則不對例項做任何操作,返回它的物件,例項化過程完畢。
(2) 如果__init__()已經被實現,那麼它將被呼叫,例項物件作為第一個引數self被傳遞進去。並且呼叫類時傳遞的任何引數都交給了__init__()。
構造器__init__()不應當返回任何物件,因為例項物件是自動在例項化呼叫後返回的。
2、__new__() "構造器"方法
__new__()是一種靜態方法,傳入的引數是在類例項化操作時生成的。用來例項化不可變物件class P(object):
pass
class C(P):
def __init__(self):
print('initialized')
def __del__(self):
P.__del__(self)
print('deleted')
4、Python沒有提供任何內部機制來跟蹤一個類有實多少例被建立了,或者記錄這些例項是些什麼東西。
最好的方法是使用一個靜態成員來記錄例項的個數,例如:
class InstCt(object): count = 0 # 資料屬性 def __init__(self): InstCt.count += 1 def __del__(self): InstCt.count -= 1 def howMany(self): return InstCt.count
>>> a = InstCt()
>>> b = InstCt()
>>> a.howMany()
2
>>> b.howMany()
2
>>> del b
>>> a.howMany()
1
>>> del a
>>> InstCt.count
0
5、檢視例項屬性
>>> class C(object):
... pass
...
>>> c = C() >>> c.foo = 'abcd' >>> c.bar = 'yes' >>> dir(c) ['__class__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__init__', '__le__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'bar', 'foo'] >>> c.__dict__ {'foo': 'abcd', 'bar': 'yes'} >>> c.__class__ <class '__main__.C'>