使用工厂方法是解决此问题的常用方法,
尤其是 因为实例化一个类与在Python中调用一个函数没有区别。
但是,如果您 确实 需要,可以分配给
self.__class__:
THRESHOLD = 1000class Small(object): def __init__(self, n): if n < THRESHOLD: self.n = n else: self.__class__ = Big self.__init__(n)class Big(object): def __init__(self, n): if n < THRESHOLD: self.__class__ = Small self.__init__(n) else: self.n = n
这按预期工作:
>>> a = Small(100)>>> type(a)<class 'Small'>>>> b = Small(1234)>>> type(b)<class 'Big'>>>> c = Big(2)>>> type(c)<class 'Small'>
如果分配给您
self.__class__似乎太奇怪了,则可以改写
__new__。该方法在调用之前
__init__被调用,它可以用来选择要实例化的类:
THRESHOLD = 1000class Switcher(object): def __new__(cls, n): if n < THRESHOLD: new_cls = Small else: new_cls = Big instance = super(Switcher, new_cls).__new__(new_cls, n) if new_cls != cls: instance.__init__(n) return instanceclass Small(Switcher): def __init__(self, n): self.n = nclass Big(Switcher): def __init__(self, n): self.n = n
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)