A good answer might be:

MusicVideo inherits title, length, and avail from its parent and adds artist and category.

Writing the Constructor

Notice that MusicVideo inherits only from its parent VideoTape. It does not inherit anything from its sibling class Movie. Here is the definition so far:

class VideoTape
{
  String  title;    // name of the item
  int     length;   // number of minutes
  boolean avail;    // is the tape in the store?

  // constructor
  public VideoTape( String ttl, int lngth )
  {
    title = ttl; length = lngth; avail = true; 
  }

  public void show()
  {
    System.out.println( title + ", " + length + " min. available:" + avail );
  }
  
}

class MusicVideo extends VideoTape
{
  String artist;
  String category;

  // The constructor will go here

  // The show() method will go here

}

We need a constructor for MusicVideo. Use four parameters for title, length, artist and category. Initialize avail to true.

QUESTION 19:

Write a constructor for MusicVideo. Use the super reference to the constructor in VideoTape.