Skip to content

sf-wdi-31/js-oop-flower-power

 
 

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

20 Commits
 
 

Repository files navigation

#Flower Power: Object Oriented Programming in JavaScript

Why is this important?

This workshop is important because:

Object oriented programming is a common pattern throughout many languages. Its patterns will enable you to write more readable, organized, and declarative programs.

What are the objectives?

After this workshop, developers will be able to:

  • Build practical and useful objects using Javascript constructors
  • Demonstrate a working knowledge of object properties and methods
  • Design object types in JavaScript using Object Oriented Programming techniques

Where should we be now?

Before this workshop, developers should already be able to:

  • Create and manipulate JavaScript objects
  • Write and interpret JavaScript functions

###Constructors For relatively straightforward and small objects, it is perfectly fine to declare them as a variable and define them, as we did with our cohort's data. This is known as a Literal object definition.

Here's a flower using the Literal method:

// Literal Object Definition
var flower = {
	color : "red",
	petals : 32,
	smells : true
};

There are a few other patterns we can use to create objects.

We could create another flower using Object.create. For example:

// a rose is a flower
var rose = Object.create(flower);
// now rose is { color : "red", petals : 32, smells : true }
// but, our rose only has 16 petals
rose.petals = 16;
// now rose is { color : "red", petals : 16, smells : true }

The rose will share all characteristics of the original flower, except it will have 16 petals because we overwrote that property.

Now let's explore a flower using the preferred constructor syntax:

// constructor object definition
// note: constructors are always capitalized by convention
function Flower() {
	this.color = "red";
	this.petals = 32;
	this.smells= true;
}

The constructor is actually a function that can create unique instances of flower objects every time it is called. Below, we create a new object using the constructor and store it in a variable tulip.

// the keyword `new` is necessary
var tulip = new Flower();

Let's break down a couple concepts introduced with this new line of code:

  • The capitalization of Flower lets everyone know that Flower is an object constructor. Calling Flower() with new will return a Flower-type object.
  • The new keyword tells JavaScript that we are creating a new object instance that will be independent of any other object.
  • We call the Flower function, which creates an object with the properties from the construtor. Our object is ready to go!

tulip from Clare Black (Identity Photogr@phy) on flickr

Accessing the properties of our new tulip object is the same as accessing our properties from any other object: we can use either dot or bracket notation.

var color = tulip.color; // red
var petalCount = tulip.petals; // 32
var smellsNice = tulip.smells; //true

If we wanted to create yet ANOTHER flower, all we have to do is call our function just like we did above. This time, lets make an object called lily.

var lily = new Flower();

We can access the properties of lily in the same manner as we did with tulip.

var color = lily.color; // red
var petalCount = lily.petals; // 32
var smellsNice = lily.smells; //true

I don't know about you, but I generally like my lilies yellow. I have also never heard of a lily with 32 petals! Can we change our lily object to better reflect my perfect lily? You bet!

// Changing object property values
lily.color = 'yellow';
lily.petals = 6;

That's more like it! To change the value of the lily object properties, we simply access them with dot or bracket notation. We then follow with a single equals assignment operator and give a new appropriate value. Couldn't be easier!

yellow lily

###Object Methods One of the most powerful features of Javascript Objects are Methods. Methods are "functions" that are predefined and built into an object. We all know and love Array methods like forEach(), map(), filter(), and reduce(); these are all methods of the Array object. We use arrays so much that Javascript gives us the shorthand [] syntax to create them instead of calling the Array constructor with new to make instances, like we did above with the flowers. Thanks, Javascript!

Lets make a simple method in the flower constructor that outputs to the console whenever we call it.

function Flower() {
    this.color = "red";
    this.petals = 32;
    this.smells= true;
    // Demonstrates a simple method in an object
    this.bloom = function() {
        console.log("Look at me!");
    };
}

We new flower instances will have a method inside called bloom.

var sunflower = new Flower();
sunflower.color = "yellow";
sunflower.bloom();
// prints out "Look at me!"

sunflowers by skyseeker on flickr

There's an issue with code above. We're creating multiple flowers, but the attributes color, petal, and smells all start with the same values. It makes sense for these properties to be different and customizable for each flower.

###Independent Practice: Customization

Wouldn't it be nice if at the moment we instantiate a flower we could also define its properties? Refactor the Flower constructor to enable this code:

var chrysanthemum = new Flower("pink", 65, false);
Example solution
function Flower(color, petals, smells) {
    this.color = color;
    this.petals = petals;
    this.smells = smells;
    this.bloom = function() {
        console.log("Look at me!");
    };
}
  • How could we refactor the parameters that the Flower constructor accepts so it takes in a single object that contains all the attributes of the instance we are initializing? Refactor the constructor to enable this code:
var options = {petals: 65, color: "pink", smells: false};
var chrysanthemum = new Flower(options);
Example solution
function Flower(options) {
    this.color = options.color;
    this.petals = options.petals;
    this.smells = options.smells;
    this.bloom = function() {
        console.log("Look at me!");
    };
}
  • How can we make the petal count to default to 10, if not otherwise specified? Enable this code:
var options = {color: "pink", smells: false};
var chrysanthemum = new Flower(options);
// inspect instance
chrysanthemum;
// => Flower {color: "pink", petals: 10, smells: false}
Example solution
function Flower(options) {
    this.color = options.color;
    this.petals = options.petals || 10;
    this.smells = options.smells;
    this.bloom = function() {
        console.log("Look at me!");
    };
}

##Prototypes

Flowers can now be created with unique attributes, which is awesome. On the other hand, you may notice that all flowers could share the bloom method. Right now, though, each flower instance has a separate bloom method.

var lily = new Flower();
var rose = new Flower();

lily.bloom === rose.bloom // false

We want their bloom methods to be the same! Next, we'll see how to avoid creating an entirely new bloom method every time we make a new flower.

blooming flower gif

By adding the method bloom to the constructor's prototype we can enable all flowers to share a bloom method, or any other method for that matter! Shared attributes can also be added to the prototype, but they're less common. The prototype is simply an object that can be referenced by all the flower instances.

function Flower() {
    this.color = "red";
    this.petals = 32;
    this.smells= true;
}

Flower.prototype.bloom = function() {
  console.log("Look at me!");
}

Now try running the same test from above to see if both flowers share the same bloom method.

var lily = new Flower();
var rose = new Flower();

lily.bloom === rose.bloom // true

####Benefits

  • Less wasted memory
  • Single source of truth

What if we edit the prototype after the flower instances have been created? Will they update their behavior accordingly?

####More methods

Let's add some more methods to the flower constructor.

function Flower() {
    this.color = "red";
    this.petals = 32;
    this.smells= true;
}

Flower.prototype.bloom = function() {
  console.log("Look at me!");
}
Flower.prototype.smellsGood = function() {
// use `this` to access the instance's attributes
  if (this.smells) {
    return 'This flower smells amazing!';
  } else {
    return 'What a noxious weed!';
  }
}
Flower.prototype.describe = function() {
  console.log("This flower is " + this.color + ".");    
}

Methods can also access properties within the object with the this identifier rather than using dot or bracket notation.

####Check for Understanding: wilt and water

  • Create a wilt() method that decrements a flower's petal count by one. :(
  • Create a water() method that increments a flower's petal count by one. :)

###Independent Practice: Modeling Flowers

Take 10 minutes to create a flower instance based on the flower on your table. Decide amongst your tablemates the type of flower, the flower's main color, number of petals, and whether or not it smells pretty. Think up some other possible properties or methods and add them too!

...

Now we should have a flower instance for each of our actual flowers.

Let's source the best new properties that were created on constructors and integrate them into a universal flower constructor.

Independent Practice: Cross-Pollination

Now that we are awesome flower experts, lets try our hand at cross pollinating two flower objects. Cross pollinating is beyond the realm of an individual flower. We could create a crossPollinate instance method on the prototype, but we can also attach the method to the Flower constructor itself. This would capture the fact that the crossPollinate method isn't a behavior of one specific flower. Methods added to an object type instead of an instance are called static methods. Other examples could be create or destroy. These are all meta actions of a flower; a flower cannot create itself!

To exemplify this, let's create a static method (also sometimes refered to as a class method) called crossPollinate. We'll have to set it up a little differently than the instance methods we've been making (i.e. bloom), because we want to add this new method directly to the Flower constructor object.

  • The method will take two flower instances as arguments.
  • crossPollinate will create a new flower intance that is a mix of both "parent" colors. (i.e. red, yellow = "red-yellow"; don't worry about the color wheel).
  • Make the new petal count an average between the two parents' petal counts.
  • The smellPretty gene is recessive, unfortunately. This means that a flower will smell pretty IF and ONLY IF both flowers smell pretty.
// starter code
Flower.crossPollinate = function(/* what parameters are needed? */){
  var newFlower;
  // set up and make the newFlower!
  return newFlower;
};
Example solution
// constructor
function Flower(color, petals, smells) {
    this.color = color;
    this.petals = petals;
    this.smells = smells;
}

// static methods
Flower.crossPollinate = function(flower1, flower2) {
  var color = flower1.color + "-" + flower2.color;
  var petals = (flower1.petals + flower2.petals) / 2;
  var smells = flower1.smellsGood && flower2.smellsGood;
  var newFlower = new Flower(color, petals, smells);
  return newFlower;
}

// instance methods
Flower.prototype.bloom = function() {
  console.log("Look at me!");
}
Flower.prototype.smellsGood = function(answer) {
  if (answer) {
    return 'This flower smells amazing!';
  } else {
    return 'What a noxious weed!';
  }
}
Flower.prototype.describe = function() {
  // Demonstrates use of local object variables
  // use `this` to access the instance's attributes
  console.log("This flower is " + this.color + ".");    
}

var lily = new Flower("blue", 32, true);
var rose = new Flower("green", 12, true);

var rily = Flower.crossPollinate(rose, lily);

Thought experiment: Maybe we could create a different intermediary object, called Bee, which would facilitate cross-pollination and return a new flower? Flowers don't just bash their heads together and make new flowers in the real world, they need bees! What are some methods we could assign to a Bee object?

some ideas The `Bee` object type could have: - a method to mix flowers: `crossPollinate(flower1, flower2)` - a method to help the bee describe where to find honey for other bees: `dance(location)`

###Constructor and Prototype Review

Constructors

  • variables and functions are declared once for each instance
  • when you update the constructor, previously created instances DON'T update
  • data is "embedded" in each instance

Prototypes

  • all instances share the same function and variable declarations
  • when you update the prototype, previously created instances DO get the updates
  • data is "referenced" from the prototype copy

Instance variables and functions

  • adds variable or function directly to the instance
  • overwrites constructor properties/methods by replacing them
  • overwrites prototype properties/methods by being earlier on the lookup chain!

Static variables and functions

  • add values or behaviors directly to the constructor function
  • these attributes are not specific to any one instance but apply to the type
  • examples: Math.PI, Apartments.all

Independent Practice: Object-In-Object

flower vase image from homeheavenimages on flickr

  1. Create a vase object which contains an array of flower objects and a capacity attribute that says how many flowers the vase can hold.
sample solution ```js function Vase (capacity){ this.capacity = capacity || 12; this.flowers = []; } ```
  1. Create a method placeFlower that accepts a flower object as a parameter and inserts the flower into the array. What if the vase is too small? Update your method so that it checks whether the vase is already holding its capacity of flowers before it adds the extra flower.
    sample solution ```js Vase.prototype.placeFlower = function(flower){ if (this.flowers.length < this.capacity){ this.flowers.push(flower); } else { console.error("no room for more flowers!"); } } ```
  1. Create an addWater method for a vase that calls the water method of each flower inside.
    sample solution ```js Vase.prototype.addWater = function(){ this.flowers.forEach(function(flower){ flower.water(); }); } ```
  1. Feel free to add more properties or methods for your Vase object type.

###Closing Thoughts

  • Why is using a prototype beneficial?
  • Would you typically put the methods or attributes in the prototype?
  • When would we use static methods?

Further Suggested Resources

Releases

No releases published

Packages

No packages published