python 中MethodType方法詳解和使用python
廢話很少說,直接上代碼測試
#!/usr/bin/python # -*-coding:utf-8-*- from types import MethodType """ 文件名 class2.py MethodType 測試 """ # 首先看第一種方式 #建立一個方法 def set_age(self, arg): self.age = arg #建立一個類 class Student(object): pass #------以上爲公共部分
s_one = Student() #給student 建立一個方法 但這裏不是在class中建立而是建立了一個連接把外部的set_age 方法用連接知道Student內 s_one.set_age = MethodType(set_age,s_one,Student) s_one.set_age(32) #調用實例方法 print s_one.age #》》》》結果 32 s_two = Student() s_two.set_age(100) #這裏來驗證下是在類內有方法仍是類外有方法。 print s_two.age #》》》》結果Traceback (most recent call last): #》》》》 File "class2.py", line 22, in <module> #》》》》 s_two.set_age(100) #這裏來驗證下是在類內有方法仍是類外有方法。 #》》》》 AttributeError: 'Student' object has no attribute 'set_age'
看另外一種spa
#直接用類來建立一個方法 不過此時仍是用連接的方式在類外的內存中建立 Student.set_age = MethodType(set_age,Student) #此時在建立實例的時候外部方法 set_age 也會複製 這些實例和Student類都指向同一個set_age方法 new1 = Student() new2 = Student() new1.set_age(99) new2.set_age(98) #第二個會覆蓋第一個 print (new1.age,new2.age) #看結果 2個都是98 #》》》》(98, 98)