当然,执行以下操作是合法的:
_.extend({name: 'moe'}, {age: 50});
=> {name: 'moe', age: 50}
如果我_.extend两个(或更多)用new创建的实例,它是否合法(并且不会导致将来出现问题)?
如:
var a = new Block();
var b = new Wood();
_.extend(a,b);
答案 0 :(得分:2)
这是_extend
函数(source):
_.extend = function(obj) {
each(slice.call(arguments, 1), function(source) {
if (source) {
for (var prop in source) {
obj[prop] = source[prop];
}
}
});
return obj;
};
在您的情况下,_.extend(a,b)
将会运行
if (b) { // true
for (var prop in b) {
a[prop] = b[prop];
}
}
请注意,for in
循环遍历所有可枚举属性,即使是来自原型(非自己)的属性。
我不知道你的想法与否。
它可能会产生一些问题,例如,如果存在名为equal的属性:
Block.prototype.foo = function(){ return this.bar; }
Block.prototype.bar = true;
Wood.prototype.bar = false;
如果您使用a
延长b
,则会覆盖bar
。然后,如果您致电a.foo
,则a.bar
将true
为false
,但它将为foo
。这可能会导致{{1}}中的意外错误。