这听起来像是重复的,但我不这么认为。
我需要做一些类似于提问者在那里所做的事情:django model polymorphism with proxy inheritance
我的父母需要实现一组方法,我们称它们为 MethodA()、MethodB()。这些方法永远不会直接使用,它们总是会通过子模型调用(但不,由于各种原因,抽象类不是要走的路)。
但这是变得更棘手的地方:
每个子模型都继承自一个特定的模块(moduleA、moduleB),它们都实现了相同的方法名称,但做的事情不同。调用是通过父模型进行的,并根据字段的值重定向到子模型
由于我猜不是很清楚,这里有一些伪代码可以帮助您理解
from ModuleA import CustomClassA
from ModuleB import CustomClassB
class ParentModel(models.Model):
TYPE_CHOICES = (
('ChildModelA', 'A'),
('ChildModelB', 'B'),
)
#some fields
type = models.CharField(max_length=1, choices=TYPE_CHOICES)
def __init__(self, *args, **kwargs):
super(ParentModel, self).__init__(*args, **kwargs)
if self.type:
self.__class__ = getattr(sys.modules[__name__], self.type)
def MethodA():
some_method()
def MethodB():
some_other_method()
class ChildModelA(ParentModel, CustomClassA):
class Meta:
proxy = True
class ChildModelB(ParentModel, CustomClassB):
class Meta:
proxy = True
在模块 A 中:
class CustomClassA():
def some_method():
#stuff
def some_other_method():
#other stuff
在模块 B 中:
class CustomClassB():
def some_method():
#stuff
def some_other_method():
#other stuff
现在,问题是类更改有效,但它没有从 ChildModelA 或 B 继承。
这甚至可能吗?如果是,我怎样才能让它工作,如果不是,我怎么能优雅地做到这一点,没有太多重复?