13

In Javascript is there any difference between these two ways of adding a function to an object? Is one preferable for any reason?

function ObjA() {
 this.AlertA = function() { alert("A"); };
}
ObjA.prototype.AlertB = function() { alert("B"); };
var A = new ObjA();
A.AlertA();
A.AlertB();
asked Aug 18, 2011 at 15:25
2

2 Answers 2

16

Sure there is a difference. If you define this.AlertA, you are defining a method that is local for the instance of ObjA. If you add AlertA to the prototype of the ObjA constructor, it is defined for every instance of ObjA. The latter is, in this case, more efficient, because it's only assigned once, whilst a local method is assigned every time you create an instance of ObjA.

So using this.AlertA in:

var A = new ObjA, 
 B = new ObjA,
 C = new ObjA;

for A, B and C the constructor has to add the method AlertA. AlertB on the other hand, is only added once. You can check that using:

function ObjA() {
 alert('adding AlertA!');
 this.AlertA = function() { 
 alert("A"); 
 };
 if (!ObjA.prototype.AlertB) {
 alert('adding AlertB!');
 ObjA.prototype.AlertB = function() { 
 alert("B"); 
 };
 }
}
var A = new ObjA, //=> alerts adding AlertA! and alerts adding AlertB!
 B = new ObjA, //=> alerts adding AlertA!
 C = new ObjA; //=> alerts adding AlertA!
Ashish Aggarwal
3,0262 gold badges25 silver badges47 bronze badges
answered Aug 18, 2011 at 15:37
Sign up to request clarification or add additional context in comments.

Comments

3

Using the object constructor will assign a copy of that function to every new instance of your object. Using prototyping will result in one function being shared across all instances.

answered Aug 18, 2011 at 15:38

Comments

Your Answer

Draft saved
Draft discarded

Sign up or log in

Sign up using Google
Sign up using Email and Password

Post as a guest

Required, but never shown

Post as a guest

Required, but never shown

By clicking "Post Your Answer", you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.