How to correctly call base class methods (and constructor) from inherited classes in Python?

Python

Python Problem Overview


Suppose I have a Base class and a Child class that inherits from Base. What is the right way to call the constructor of base class from a child class in Python? Do I use super?

Here is an example of what I have so far:

class Base(object):
   def __init__(self, value):
       self.value = value
   ...

class Child(Base):
   def __init__(self, something_else):
       super(Child, self).__init__(value=20)
       self.something_else = something_else
   ...

Is this correct?

Thanks, Boda Cydo.

Python Solutions


Solution 1 - Python

That is correct. Note that you can also call the __init__ method directly on the Base class, like so:

class Child(Base):
    def __init__(self, something_else):
        Base.__init__(self, value = 20)
        self.something_else = something_else

That's the way I generally do it. But it's discouraged, because it doesn't behave very well in the presence of multiple inheritance. Of course, multiple inheritance has all sorts of odd effects of its own, and so I avoid it like the plague.

In general, if the classes you're inheriting from use super, you need to as well.

Solution 2 - Python

If you're using Python 3.1, super is new and improved. It figures out the class and instance arguments for you. So you should call super without arguments:

class Child(Base):
    def __init__(self, value, something_else):
        super().__init__(value)
        self.something_else = something_else
    ...

Solution 3 - Python

Yes, that's correct. If you wanted to be able to pass value into the Child class you could do it this way

class Child(Base):
   def __init__(self, value, something_else):
       super(Child, self).__init__(value)
       self.something_else = something_else
   ...

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionbodacydoView Question on Stackoverflow
Solution 1 - PythonChris B.View Answer on Stackoverflow
Solution 2 - PythonDon O'DonnellView Answer on Stackoverflow
Solution 3 - PythonJohn La RooyView Answer on Stackoverflow