Constructors to Classes

Constructors to Classes

Convert the following constructor functions to use the ES6 class syntax.

1.
function Clown(name, shoeSize, isScary) {
    this.name = name;
    this.shoeSize = shoeSize;
    this.isScary = isScary;
}

2.
function HangmanGame(word, guessesUntilLose) {
    this.word = word;
    this.guessesUntilLose = guessesUntilLose;
}

HangmanGame.prototype.wrongGuess = function() {
    this.guessesUntilLose--;
}

3.

For this one, you will write 2 classes, one for Media and one for Song. The Song class will extend the Media class. Don't worry if you don't recognize sone of the code below just yet. The purpose of this exercise is to correctly use the constructor() method and the super() function.

// Media constructor
function Media(title, duration) {
    this.title = title;
    this.duration = duration;
    this.isPlaying = false;
}

Media.prototype.play = function() {
    this.isPlaying = true;
}

Media.prototype.stop = function() {
    this.isPlaying = false;
}


// Song constructor
function Song(title, duration, artist) {
    Media.call(title, duration);
    this.artist = artist;
}

Song.prototype = Object.create(Media.prototype);
Song.prototype.constructor = Song;