The key point to understand this is super() is for implementing cooperative inheritance. How the classes cooperate is up to you the programmer. super() is not magic and does not know exactly what you want! There is not much point in using super for a flat hierarchy that doesn't need cooperative inheritance, so in that case S. Lott's suggestion is spot on. Subclasses of Useful may or may not want to use super() depending their goals :)
For example: Abstract is A. A <- B, but then you want to support insertion of C like so A <- C <- B.
class A(object): """I am an abstract abstraction :)""" def foo(self): raise NotImplementedError('I need to be implemented!') class B(A): """I want to implement A""" def foo(self): print('B: foo') # MRO Stops here, unless super is not A position = self.__class__.__mro__.index if not position(B) + 1 == position(A): super().foo() b = B() b.foo() class C(A): """I want to modify B and all its siblings (see below)""" def foo(self): print('C: foo') # MRO Stops here, unless super is not A position = self.__class__.__mro__.index if not position(C) + 1 == position(A): super().foo() print('') print('B: Old __base__ and __mro__:\n') print('Base:', B.__bases__) print('MRO:', B.__mro__) print('') # __mro__ change implementation B.__bases__ = (C,) print('B: New __base__ and __mro__:\n') print('Base:', B.__bases__) print('MRO:', B.__mro__) print('') b.foo()
And the output:
B: foo B: Old __base__ and __mro__: Base: (<class '__main__.A'>,) MRO: (<class '__main__.B'>, <class '__main__.A'>, <class 'object'>) B: New __base__ and __mro__: Base: (<class '__main__.C'>,) MRO: (<class '__main__.B'>, <class '__main__.C'>, <class '__main__.A'>, <class 'object'>) B: foo C: foo
supermakes sense) and which are not implemented because they're abstract. You can read the source.raise SyntaxErroris also in the language. The question is "why write all that code when simple inspection of the abstract class can save you writing all that code"?