Liskov substitution principle
This principle is based on the principle of substitutability between a parent class and child class. When you use inheritance, an external object should be able to use a class or a subclass without knowing about it. It means that the implementation of a subclass should be compatible with the use of the parent class (it should not break the use for an external object).
Code example
from dataclasses import dataclass
from abc import abstractmethod
# Bad implementation
class BigDog():
def bark(self):
print("WOF WOF")
@dataclass
class BigDogWithVoiceLoss(BigDog):
voice_loss: bool = False
def bark(self) -> str:
if self.voice_loss:
return "wof wof"
else:
return "WOF WOF"
def bark_print(self):
print(self.bark())
for dog in [BigDog(), BigDogWithVoiceLoss(voice_loss=True)]:
dog.bark()
# Good implementation
class BigDog():
def bark(self):
print("WOF WOF")
@dataclass
class BigDogWithVoiceLoss(BigDog):
voice_loss: bool = False
def bark(self):
if self.voice_loss:
print("wof wof")
else:
print("WOF WOF")
for dog in [BigDog(), BigDogWithVoiceLoss(voice_loss=True)]:
dog.bark()
References
- https://en.wikipedia.org/wiki/Liskov_substitution_principle
- "Clean Architecture: A Craftsman's Guide to Software Structure and Design" by Robert Martin