我想用python创建动态类继承。例如( x 可能是随机数)
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Test3(object):
def sub(self):
self.c = self.a - self.b
class Test2(object):
def add(self):
self.c = self.a + self.b
class Test1(object):
def __init__(self):
self.a = 1
self.b = 2
self.c = 0
if x >= 0:
test = Test1
## do something to load Test2 methods
test.add()
print (test.c)
elif x >= 10:
test = Test1
## do something to load Test3 methods
test.sub()
print (test.c)
else:
test = Test1
## do something to load Test3 & Test2 methods
test.add()
print (test.c)
test.sub()
print (test.c)
我尝试了不同的方法来实现这一目标。除了静态实现子类之外,我无法管理,这不是我想要的:
class Test1(Test2, Test3)
我也不想在变量中加载对象并获取有关变量名称的访问权限,如:
test1.test3.sub()
答案 0 :(得分:1)
你可以采取一些技巧来实现这一目标。
首先,你可以做一些丑陋的事情: -
def extend(instance, new_class):
"""Add new_class mixin to existing instance"""
instance.__class__ = type(
'%s_extended_with_%s' % (instance.__class__.__name__, new_class.__name__),
(instance.__class__, new_class),
{}
)
您可以像这样使用
extend(test , Test2 )
但是我通常更喜欢在初始化之前创建动态类型而不是覆盖__class__而不是上面的第一个例子你会做
custom_class = type('special_extended_class', ( Test, Test2 ), {} )
test = custom_class()
请注意,在上面的测试中,Test2是可变参考,所以你在这里使用任何东西, 但它与以下更具可读性的内容并没有太大的不同。
class1 = Test
class2 = Test2
class TmpClass(class1, class2):pass
test = TmpClass()
答案 1 :(得分:0)
我真的不明白你为什么要那样做。我会创建一个基础测试类,然后继承基于该类的不同方法。
class BaseTest(object):
def __init__(self):
super().__init__()
self.a = 1
self.b = 2
self.c = 0
class Test3(BaseTest):
def sub(self):
self.c = self.a - self.b
class Test2(BaseTest):
def add(self):
self.c = self.a + self.b
class Test4(Test3, Test2):
pass
if __name__ == '__main__':
x = -1
if x >= 10:
test = Test3()
### load test3 methodes
test.sub()
print (test.c)
elif x >= 0:
test = Test2()
## load test2 methodes
test.add()
print (test.c)
else:
test = Test4()
### load test 2 & test 3 methodes
test.add()
print (test.c)
test.sub()
print (test.c)
如果你真的想要动态的话,你必须在导入时设置x值
import random
class Test3(object):
def sub(self):
self.c = self.a - self.b
class Test2(object):
def add(self):
self.c = self.a + self.b
class Test4(Test3, Test2):
pass
val = random.randint(0, 3)
print(val)
x = {0: object,
1: Test3,
2: Test2,
3: Test4,
}.get(val, object)
print(x)
class BaseTest(x):
def __init__(self):
super().__init__()
self.a = 1
self.b = 2
self.c = 0
if __name__ == '__main__':
b = BaseTest()
print(b.c)
答案 2 :(得分:-1)
您可以通过手动设置rgammans建议的类成员字典的成员来完成这项工作,但最简单的方法是使用exec:
super = 'list'
exec('class Awesome(' + super +'):\n pass')