Inheritance/Single

Revision as of 08:22, 28 April 2008 by rosettacode>Spoon! (added python)

Show a tree of classes which inherit from each other. The top of the tree should be a class called Animal. The second level should have Dog and Cat. Under Dog should be Lab and Collie. None of the classes need to have any functions, the only thing they need to do is inherit from the specified superclasses (overriding functions should be shown in Polymorphism). The tree should look like this:

Task
Inheritance/Single
You are encouraged to solve this task according to the task description, using any language you may know.
    Animal
      /\
     /  \
    /    \
   Dog   Cat
   /\
  /  \
 /    \
Lab   Collie

Ada

<ada> package Inheritance is

  type Animal is tagged private;
  type Dog is new Animal with private;
  type Cat is new Animal with private;
  type Lab is new Dog with private;
  type Collie is new Dog with private;

private

  type Animal is tagged null record;
  type Dog is new Animal with null record;
  type Cat is new Animal with null record;
  type Lab is new Dog with null record;
  type Collie is new Dog with null record;

end Inheritance; </ada>

C++

<cpp> class Animal {

 // ... 

};

class Dog: public Animal {

 // ... 

};

class Lab: public Dog {

 // ...

};

class Collie: public Dog {

 // ...

};

class Cat: public Animal {

 // ...

}; </cpp>

Java

<java>public class Animal{

  //functions go here...

}</java> <java>public class Dog extends Animal{

  //functions go here...

}</java> <java>public class Cat extends Animal{

  //functions go here...

}</java> <java>public class Lab extends Dog{

  //functions go here...

}</java> <java>public class Collie extends Dog{

  //functions go here...

}</java>


OCaml

<ocaml>class animal =

 object (self)
   (*functions go here...*)
 end</ocaml>

<ocaml>class dog =

 object (self)
   inherit animal
   (*functions go here...*)
 end</ocaml>

<ocaml>class cat =

 object (self)
   inherit animal
   (*functions go here...*)
 end</ocaml>

<ocaml>class lab =

 object (self)
   inherit dog
   (*functions go here...*)
 end</ocaml>

<ocaml>class collie =

 object (self)
   inherit dog
   (*functions go here...*)
 end</ocaml>

Python

<python>class Animal:

 pass #functions go here...</python>

<python>class Dog(Animal):

 pass #functions go here...</python>

<python>class Cat(Animal):

 pass #functions go here...</python>

<python>class Lab(Dog):

 pass #functions go here...</python>

<python>class Collie(Dog):

 pass #functions go here...</python>