Popcorn Hack #1

Create a child class of the class Appliance, and call it’s returnName() function

%%js 
    class Appliance {
        constructor(name, model) {
            this.name = name;
            this.model = model
        }
        returnName() {
            return "I am a " + this.name + " and my model is " + this.model;
        }
    }
    // Below this name the class and cause it to inherit from the Appliance class
    class Oven extends Appliance{ 
        constructor(name, model) {
            super(name, model);
        }
        returnName(){
            return super.returnName()
        }
    }

    let model1 = new Oven('myoven','samsung a10')

    console.log(model1.returnName())
<IPython.core.display.Javascript object>

Popcorn Hack #2

Create child classes of the product class with items, and add parameters depending on what it is. An example is provided of a bagel.

%%js
    class Product{
        constructor(price,size,taxRate) {
            this.price = price;
            this.size = size;
            this.taxRate = taxRate;
        }   
        getPrice() {
            return this.price + this.taxRate * this.price;
        }
        product(){
            const className = this.constructor.name.toLowerCase();
            // Does not use and assuming that more parameteres will be added
            return "You are ordering a " + className + " with a price of " + this.getPrice() + " dollars, a size of " + this.size;
        }
    }
    class Donut extends Product{
        constructor(price, size, taxRate, flavor) {
            super(price, size, taxRate);
            this.flavor = flavor;
        }
        getPrice(){
            return super.getPrice() * this.size;
        }
        product(){
            return super.product() + " and a flavor of " + this.flavor;
        }
    }
var ChocolateDonut = new Donut(1.5, 2, 0.07, "Chocolate");
console.log(ChocolateDonut.product());
<IPython.core.display.Javascript object>