如何继承python中的每个类?

时间:2018-05-09 18:22:16

标签: python inheritance

我正在使用具有大量实例变量的类,并且我希望有从其继承每个实例变量的类。像这样的东西:

class foo(object):
    def __init__(self,thing1,thing2,thing3,thing4,thing5,thingetc):
        self.1 = thing1
        self.2 = thing2
        self.3 = thing3
        self.4 = thing4
        self.5 = thing5
        self.etc = thingetc

class bar(foo):
    self.6 = []
a = bar
print a.3

显然这不会起作用,但我能在网上找到的所有文档都令人困惑。在这种情况下你如何继承变量?

2 个答案:

答案 0 :(得分:3)

目前,您的代码语法无效,因为数字不能位于变量名称的最前面。但是,您可以将*args__dict__

一起使用
class foo:
  def __init__(self, *args):
     self.__dict__ = dict(zip(['var{}'.format(i) for i in range(1, len(args)+1)], args))

f = foo(*range(15))
print(f.var1)
print(f.var14)

输出:

0
13

答案 1 :(得分:2)

使用此作为继承的模板,强调super()方法:

class Foo:
    def __init__(self):
        self.name = 'Foo'

class Bar(Foo):
    def __init__(self):
        super().__init__()

b = Bar()
b.name
# outputs 'Foo'

对于您的特定类型的类(需要未知数量的初始化参数,即*args):

class Foo:
    def __init__(self, *args):
        self.name = 'Foo'
        for i, arg in enumerate(args):
            setattr(self, 'thing_' + str(i), arg)

class Bar(Foo):
    def __init__(self, *args):
        super().__init__(*args)

b = Bar('hello', 'world')
b.name
# outputs 'Foo'
b.thing_0
# outputs 'hello'
b.thing_1
# outputs 'world'

现在我个人会使用**kwargs而不是*args来指定唯一的实例属性:

class Foo:
    def __init__(self, **kwargs):
        self.name = 'Foo'
        for att in kwargs:
            setattr(self, att, kwargs[att])

class Bar(Foo):
    def __init__(self, **kwargs):
        super().__init__(**kwargs)

b = Bar(value = 4, area = 3.14)
b.name
# outputs 'Foo'
b.value
# outputs 4
b.area
# outputs 3.14