From 4a0ee05557ec184a147f21d47fa0501d04eac07a Mon Sep 17 00:00:00 2001 From: rillk500 Date: Sat, 11 Jul 2020 11:54:06 +0600 Subject: [PATCH] Interfaces and Inheritance --- .../inheritance.d | 58 +++++++++++++++++++ .../main.d | 20 +++++++ 2 files changed, 78 insertions(+) create mode 100644 lesson#19.1 - Interfaces and Inheritance/inheritance.d create mode 100644 lesson#19.1 - Interfaces and Inheritance/main.d diff --git a/lesson#19.1 - Interfaces and Inheritance/inheritance.d b/lesson#19.1 - Interfaces and Inheritance/inheritance.d new file mode 100644 index 0000000..7a083aa --- /dev/null +++ b/lesson#19.1 - Interfaces and Inheritance/inheritance.d @@ -0,0 +1,58 @@ +module inheritance; + +// ****** interfaces ****** +// 1) its member functions are abstract (have no implementation) +// 2) interfaces can inherit only form other interfaces +// 3) inheritance syntax => interface/class Name: Inherit_Name {} + +interface IAnimal { + void makeSound(); // abstract function ('abstract' keyword could be used in a class to achieve the same functionality) + // ... + + //static/final type name() { ... } // static and final members do have an implementation, are inherited, and cannot be overriden +} + +// ****** inheritance ****** +// 1) interfaces can inherit only from other interfaces +// 2) classes can inherit from multiple interfaces +// 3) interface members must be implemented, unless they are static or final + +class Cat: IAnimal { // Cat inherits from IAnimal interface + this() { } + + void makeSound() { // implements makeSound function + import std.stdio: writeln; + + writeln("Meow..."); + } +} + +//--------------------------// + +class Dog: IAnimal { // Dog inherits from IAnimal interface + this() { } + + void makeSound() { // implements makeSound function + import std.stdio: writeln; + + writeln("Woof woof..."); + } +} + +class Cow: IAnimal { // Cow inherits from IAnimal interface + this() { } + + void makeSound() { // implements makeSound function + import std.stdio: writeln; + + writeln("Moooo..."); + } +} + + + + + + + + diff --git a/lesson#19.1 - Interfaces and Inheritance/main.d b/lesson#19.1 - Interfaces and Inheritance/main.d new file mode 100644 index 0000000..d709d4c --- /dev/null +++ b/lesson#19.1 - Interfaces and Inheritance/main.d @@ -0,0 +1,20 @@ +import inheritance; + +void animalMakeSound(IAnimal animal) { + animal.makeSound(); +} + +void main() { + Cat cat = new Cat(); // Cat class + cat.makeSound(); // calling makeSound function + + // we can use IAnimal interface to call its makeSound function + // given the class object that inherits from that interface + animalMakeSound(new Cat()); + animalMakeSound(new Dog()); + animalMakeSound(new Cow()); +} + + + +