Ответ 1
Вы можете достичь этого, указав альтернативный конструктор и переназначив атрибут __class__
.
class Base(object):
def __init__(self, name):
self.name = name
def greet(self):
return 'Hello %s' % self.name
@classmethod
def alt_constructor(cls, *args, **kwargs):
obj = cls(*args, **kwargs)
obj.__class__ = Special
return obj
class Special(Base):
def __init__(self, name):
super(Special, self).__init__(name)
def rhyme(self):
return 'Hi %s! How are you? Fine, thanks. What about you?' % self.name
>>> s = Base.alt_constructor("test")
>>> print s.rhyme()
Hi test! How are you? Fine, thanks. What about you?
EDIT:
Переместил конструктор из Special
в Base
.
Если вы не можете изменить класс Base
, вы можете добавить classmethod к Special
, который изменит класс любого переданного ему объекта.
class Base(object):
def __init__(self, name):
self.name = name
def greet(self):
return 'Hello %s' % self.name
class Special(Base):
def __init__(self, name):
super(Special, self).__init__(name)
def rhyme(self):
return 'Hi %s! How are you? Fine, thanks. What about you?' % self.name
@classmethod
def convert_to_special(cls, obj):
obj.__class__ = Special
>>> b = Base("test")
>>> print type(b)
<class '__main__.Base'>
>>> Special.convert_to_special(b)
>>> print type(b)
<class '__main__.Special'>
Больше всего целевого решения было бы создать mixin, который можно добавить в любой класс.
class ConverterMixin(object):
@classmethod
def convert_to_class(cls, obj):
obj.__class__ = cls
class Special(ConverterMixin, Base):
def __init__(self, name):
super(Special, self).__init__(name)
def rhyme(self):
return 'Hi %s! How are you? Fine, thanks. What about you?' % self.name
>>> b = Base("test")
>>> print type(b)
<class '__main__.Base'>
>>> Special.convert_to_class(b)
>>> print type(b)
<class '__main__.Special'>