I have some code in jsFiddle here: http://jsfiddle.net/xyuY6/
And the code:
var App= {};
App.WebPage = {
WebPage : function(name) {
alert("In Super");
this.name = name;
},
Home : function(name) {
alert("In Sub");
App.WebPage.WebPage.call(this, name);
}
};
App.WebPage.WebPage.prototype.sayName = function() {
alert(this.name);
};
inherit(App.WebPage.WebPage, App.WebPage.Home);
var x = new App.WebPage.Home("zack");
x.sayName();
function inherit(subType, superType) {
alert("IN HERE");
var p = Object.create(superType);
p.constructor = subType;
subType.prototype = p;
}
What I'm trying to do is create a App namespace with two constructors in this namespace, WebPage and Home. WebPage is a "super type" and Home is the "sub type". Home should inherit everything from WebPage.
The problem though, as you'll see when you run the JavaScript, is the sayName function defined on the WebPage prototype is not being called when I do x.sayName. Thus, it's not being inherited.
Why?
Thanks for the help!!!