If you haven't read my Everything's an Object blog then please go read that one first. As I said in my last blog I would like to explain how to create your own object and expand an existing object. The reason why you would want to create an object is because you have a bunch of enemies in your game and you want to give each one their own properties but still having a global enemy property. Another reason might be because you want to make a library for your personal uses. Lets get started with an example.
var person = function(name){this.name = name;};
var wayne = new person("Wayne" alert(wayne.name);//Alerts Wayne
This is how you define the variable person as an object.
This will create a new person object and set the name to be Wayne.
The example above shows how to create a simple object with only one property. But what if you want more than one and you don't want to set when you create the object. To do this we can use .prototype . Every object has the .prototype property within it. This allows you to add or change methods and properties for any object. Here is when things become more advanced but bare with me here. Again we will be creating the same thing as we did in example one but in a different way.
var person = function(){};
person.prototype = {
firstName:function(firstName){this.firstName = firstName;}, lastName:function(lastName){this.lastName = lastName;}
};
var wayne = new person();
wayne.firstName("Wayne" wayne.lastName("Bowie"
alert(wayne.firstName + " " + wayne.lastName);//Alerts Wayne Bowie
Expands the person object.
Makes a function to set the person's first name.
Sets the first name to Wayne.
Note how we made an empty function for the person variable. The reason why is because we didn't need to run any code when we create the object. I would also like to show you a different way to expand an object.
Creates/edit the firstName method in the person object.
This method is only useful when adding/changing one method or property. Now you might be wondering the point in all this, well I'll show you why you may need to create an object.
var wayne = new person();
var bob = new person();
var sally = new person();
As you can see from above, objects will make your lives easier in the long run. Lastly is expanding an existing object such as an Array. You should only do this if you really need it and only want the method or property to be used by only one object. Here is an example
Uuuhhhmmmm.... This is a confusing way to explain JavaScript. I just did the first unit of JavaScript on Codecademy.com , it's a much easier, interactive way.
Just sayin'
lilwayne1556
12 Sep 2013 03:38
In reply to NillocSkywalker
This is an advanced tutorial. It's expected you know the basics first. There are tons of javascript tutorials but not a lot of advanced ones. You will understand this someday.