Posts

Showing posts with the label object oriented programming

Elementary OO Javascript and prototyping I

Considering the apparent fact that everything in Javascript is an object to be another day's story we will learn what is object oriented javascript. a) Object declaration. var foo={}; function Foo(){}; The first is a literal object and the second is a constructor object. The literal object is used when the same object is used throughout and any changes to the object will be carried forward. The constructor object is used when multiple instances of the object are required with some initial work is already done during object declaration. b) Method and Property declaration. var foo={     bar : "foobar",     getName : function(){         return this.bar;     } }; alert(foo.getName()); // will display -  foobar function Foo(){     this.bar = "foobar";     this.getName = function(){         return this.bar;     } } va...

Elementary OO Javascript and prototyping II

Image
Prev Post We will learn some basic prototyping today Every object has a prototype property function Foo(){}; alert(Foo.prototype); // displays object Every object has a prototype function Foo(){}; alert(Foo.__proto__); // displays Function function Foo(){}; alert(Foo.__proto__ === Foo.prototype); // displays false function Foo(){}; alert(Foo.__proto__ === Function.prototype); //displays true I'll reiterate every function has prototype property and prototype N.B.: We'll be using prototype property and not prototype(i.e. __proto__) a) Let's take a constructor object function Foo() { function Foo() { this.name = "foobar"; this.name = "foobar"; this.getName = function() { }; alert(this.name); Foo.prototype.getName = function() { } ...