本文主要是介绍python 学习汇总47:class类 类型检测判断,相似类(基础学习- 推荐 tcy),希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
类型和类成员测试 编写时间:2018/8/9 修改时间:2018/11/19
1.定义类:
__metaclass__ = type # 确定使新式类class Father():
def __init__(self,x=None,y=None,z=None):
self.x=x;self.y=y;self.z = z
def show(self):
print("Father()已经创建",self.x,self.y,self.z)class Son(Father):
def __init__(self,x=10,y=20,z=30):
super(Son, self).__init__(x,y,z)
self.z=-3
def show(self):
print("Son()已经创建",self.z)s0 = Son()
f0=Father()
2.函数-查看类的父子类:
2.函数-查看类的父子类:Father.__subclasses__() 查看类的子类(Father必须为类) #[<class '__main__.Son'>]
Father.__subclasscheck__(Son) 子类检查(都必须是类不能为实例) #TrueSon.__bases__ 查看类的父类(Son必须为类) # (<class '__main__.Father'>,)
Father.mro() 查看类(Father必须为类)的所有(基类父类,本身)# [<class '__main__.Father'>, <class 'object'>]type(obj) 查看obj(类或实例);等价obj.__class__
isinstance(obj,ClASS) 对象obj(类或实例)属于或派生自CLASS类(必须为类,不能为实例)3.实例print('1',Son.__subclasses__()) #查看类的子类[]
print('2',Father.__bases__) #查看类的父类(<class 'object'>,)
print('3',Father.mro(),Son.mro()) #显示基类父类,本身# <class '__main__.Son'>, <class '__main__.Father'>, <class 'object'>]type(Father) # <class 'type'>
type(Son) # < class 'type' >
type(f0) # < class '__main__.Father' >
s0.__class__ #等价type(f0) # < class '__main__.Son' >isinstance(s0,Father)#True 会判断实例的父类
isinstance(f0,Father)#Trueisinstance(Son,Father)#False
isinstance(Father,Son)#Falseisinstance(f0,Son)#False
isinstance(s0,Son)#True
4.两个相似类:FooProxy的功能与Foo相同。实现了同样的方法:
4.1.定义
class Foo (object):
def add(self,a,b):
return a+bclass FooProxy (object):
def __init__ (self,f):
self.f=f
def add (self,a,b):
return a+bf= Foo()
g= FooProxy(f)
isinstance (g, Foo) #返回False4.2.Foo,FooProxy具有相同的接口,断言FooProxy对象可以作为Foo使用或许更合适
# 定义对象,重定义isinstance()和issubclass()目的是分组对象并对其进行类型检查:
class Resemble_Class (object):
def __init__ (self):
self.implementors=set()
def register(self,c):
self.implementors.add(c)
def __instancecheck__(self,x):
return self.__subclasscheck__ (type (x))
def __subclasscheck__(self, sub):
return any(c in self.implementors for c in sub.mro())#现在使用上面的对象
i_Foo= Resemble_Class()
i_Foo.register( Foo)
i_Foo.register (FooProxy)# i_Class类创建了一个对象,该对象仅将一组其他类分组到一个集合中。
# 只要执行isinstance(x,Resemble_Class)操作,就会调用__instancecheck__()
# 只要调用issubclass(c,Resemble_Class)操作,就会调__subclasscheck__()这个特殊方法。# 类型检查:
f = Foo ()
g = FooProxy(f)
isinstance (f, i_Foo) #True
isinstance(g,i_Foo) #True
这篇关于python 学习汇总47:class类 类型检测判断,相似类(基础学习- 推荐 tcy)的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!