Notice: This page requires JavaScript to function properly.
Please enable JavaScript in your browser settings or update your browser.
Lernen Multiple Inheritance | Inheritance
In-Depth Python OOP

book
Multiple Inheritance

A class can be a subclass of a few other classes (inherit from multiple other classes).

To inherit from multiple classes, you can write the names of the classes separated by commas (,):

class First:
first_attribute = "First"

def first_method(self):
print("The first_method from the First class")
class Second:
second_attribute = "Second"

def second_method(self):
print("The second_method from the Second class")

class Child(First, Second):
pass

instance = Child()
print(instance.first_attribute)
print(instance.second_attribute)
instance.first_method()
instance.second_method()
123456789101112131415161718192021
class First: first_attribute = "First" def first_method(self): print("The first_method from the First class") class Second: second_attribute = "Second" def second_method(self): print("The second_method from the Second class") class Child(First, Second): pass instance = Child() print(instance.first_attribute) print(instance.second_attribute) instance.first_method() instance.second_method()
copy

But the multiple inheritance has an order. The priority of the attributes/methods search is going from left to right:

class First:
attribute = "First"
class Second:
attribute = "Second"
class Child(Second, First): # Order starts from the `Second`
pass

instance = Child()
print(instance.attribute)
1234567891011
class First: attribute = "First" class Second: attribute = "Second" class Child(Second, First): # Order starts from the `Second` pass instance = Child() print(instance.attribute)
copy

This demonstrates how the order of inheritance affects attribute resolution in cases where the same attribute is defined in multiple parent classes.

question mark

How to inherit a class from Parent1 and Parent2?

Wählen Sie die richtige Antwort aus

War alles klar?

Wie können wir es verbessern?

Danke für Ihr Feedback!

Abschnitt 2. Kapitel 3
some-alt