在Python中创建简单的对象层次结构时,我希望能够从派生类调用父类的方法。在Perl和Java中,对此有一个关键字(super)。在Perl中,我可以这样做:

package Foo;

sub frotz {
    return "Bamf";
}

package Bar;
@ISA = qw(Foo);

sub frotz {
   my $str = SUPER::frotz();
   return uc($str);
}

在Python中,似乎我必须显式地从子类中命名父类。 在上面的例子中,我必须做一些类似于Foo::frotz()的事情。

这似乎是不正确的,因为这种行为使得很难建立深层的等级制度。如果孩子们需要知道哪个类定义了一个继承的方法,那么就会产生各种各样的信息麻烦。

这是python的实际限制,还是我理解上的差距,或者两者兼而有之?


当前回答

使用super()函数:

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

对于Python < 3,必须显式选择使用new-style类并使用:

class Foo(Bar):
    def baz(self, arg):
        return super(Foo, self).baz(arg)

其他回答

Python 3有一个不同的更简单的语法来调用父方法。

如果Foo类继承自Bar,则继承自Bar。__init__可以通过super()从Foo调用。__init__():

class Foo(Bar):

    def __init__(self, *args, **kwargs):
        # invoke Bar.__init__
        super().__init__(*args, **kwargs)

Python也有super:

超级(类型、对象或者类型)

返回一个代理对象,该对象将方法调用委托给类型的父类或兄弟类。 这对于访问在类中被重写的继承方法非常有用。 除了类型本身被跳过之外,搜索顺序与getattr()所使用的相同。

例子:

class A(object):     # deriving from 'object' declares A as a 'new-style-class'
    def foo(self):
        print "foo"

class B(A):
    def foo(self):
        super(B, self).foo()   # calls 'A.foo()'

myB = B()
myB.foo()

这是一个更抽象的方法:

super(self.__class__,self).baz(arg)

下面是一个使用super()的例子:

#New-style classes inherit from object, or from another new-style class
class Dog(object):

    name = ''
    moves = []

    def __init__(self, name):
        self.name = name

    def moves_setup(self):
        self.moves.append('walk')
        self.moves.append('run')

    def get_moves(self):
        return self.moves

class Superdog(Dog):

    #Let's try to append new fly ability to our Superdog
    def moves_setup(self):
        #Set default moves by calling method of parent class
        super(Superdog, self).moves_setup()
        self.moves.append('fly')

dog = Superdog('Freddy')
print dog.name # Freddy
dog.moves_setup()
print dog.get_moves() # ['walk', 'run', 'fly']. 
#As you can see our Superdog has all moves defined in the base Dog class

如果您想调用任何类的方法,您可以简单地调用class。方法在类的任何实例上执行。如果你的继承相对干净,这也适用于子类的实例:

class Foo:
    def __init__(self, var):
        self.var = var
    
    def baz(self):
        return self.var

class Bar(Foo):
    pass

bar = Bar(1)
assert Foo.baz(bar) == 1