我有一个这样的对象:
var source = (function(undefined) {
var o;
function s(o) {
if(!o || typeof o === 'object') {
o = o || {};
o.a = typeof o.a === 'string' ? o.a : 'A';
o.b = typeof o.b === 'string' ? o.b : 'B';
this.o = o;
}
}
s.prototype.v = function() {
// some function
};
s.prototype.x = function() {
// some function
};
return s;
})();
我想使用另一个类似的扩展第一个。
var extender = (function(undefined) {
var o;
function e(o) {
if(!o || typeof o === 'object') {
o = o || {};
o.c = typeof o.c === 'number' ? o.c : 3;
o.d = typeof o.d === 'number' ? o.d : 4;
this.o = o;
}
}
e.prototype.y = function(m) {
// some function
};
e.prototype.z = function(m) {
// some function
};
return e;
})();
我可以将this.s = new source(o);
添加到该函数中,并且对我的第二个对象进行一些小的更改可以将所有内容绑定到第一个对象,但我认为可能有更好的方法。
答案 0 :(得分:1)
您可以使用: -
Object.create(o);//where o is object to inherit from
对于跨浏览器: -
if (typeof Object.create !== "function")
Object.create = function(o) {
function F() {}
F.prototype = o;
return new F();
};
答案 1 :(得分:1)
要将其他两个答案的片段组合到正确的解决方案中,您可能需要
var extender = (function(undefined) {
// var o; - That's useless, `o` is a parameter of the constructor
function e(o) {
source.call(this, o); // invoke the `source` constructor on this instance
o = this.o; // and get the created `o` object
// …to extend it:
o.c = typeof o.c === 'number' ? o.c : 3;
o.d = typeof o.d === 'number' ? o.d : 4;
}
// make the prototype a new object inheriting `v` and `x`:
e.prototype = Object.create(source.prototype);
// then extend it
e.prototype.y = function(m) {
…
};
e.prototype.z = function(m) {
…
};
return e;
})();
请参阅Object.create
和call
的文档。
答案 2 :(得分:0)
请查看以下两行:
e.prototype = source.prototype;
source.call(this, o);
他们是解决方案。
当然,我必须对配置进行一些调整,以确保两者都能正常运行。
var source = (function(undefined) {
function s(o) {
// config
this.o = {};
if(!o || typeof o === 'object') {
o = o || {};
this.o.a = typeof o.a === 'string' ? o.a : 'A';
this.o.b = typeof o.b === 'string' ? o.b : 'B';
}
}
s.prototype.x = function(m) {
console.log(m);
};
return s;
})();
var extender = (function(undefined) {
function e(o) {
// instanciate parent
source.call(this, o);
// child config
if(!o || typeof o === 'object') {
o = o || {};
e = this.o;
e.c = typeof o.c === 'number' ? o.c : 1;
e.d = typeof o.d === 'number' ? o.d : 2;
}
}
// inherit
e.prototype = source.prototype;
// extend
e.prototype.y = function(m) {
console.log(m);
};
return e;
})();
var e = new extender({d:3});
console.log(e);