可能是JavaScript中最不被理解的部分,站在原型链的旁边。
所以问题是:怎么做......
new dataObj(args);
...实际创建一个对象,并定义其原型链/构造函数/ etc?
最好是展示另一种选择,以完全理解这个关键字。
答案 0 :(得分:50)
new
运算符使用内部[[Construct]]
方法,它基本上执行以下操作:
[[Prototype]]
,指向Function prototype
属性。
prototype
属性不是对象(原始值,例如Number,String,Boolean,Undefined或Null),则使用Object.prototype
。this
值。 new
运算符的等效实现可以这样表达(假设ECMAScript 5 Object.create
方法可用):
function NEW(f) {
var obj, ret, proto;
// Check if `f.prototype` is an object, not a primitive
proto = Object(f.prototype) === f.prototype ? f.prototype : Object.prototype;
// Create an object that inherits from `proto`
obj = Object.create(proto);
// Apply the function setting `obj` as the `this` value
ret = f.apply(obj, Array.prototype.slice.call(arguments, 1));
if (Object(ret) === ret) { // the result is an object?
return ret;
}
return obj;
}
// Example usage:
function Foo (arg) {
this.prop = arg;
}
Foo.prototype.inherited = 'baz';
var obj = NEW(Foo, 'bar');
obj.prop; // 'bar'
obj.inherited; // 'baz'
obj instanceof Foo // true
答案 1 :(得分:8)
表达式new C(arg1, arg2)
:
假设C是一个JavaScript函数(否则会出错):
prototype
的“C
”属性。
prototype
是一个对象(在声明函数时自动创建),其原型设置为Object.prototype
,constructor
属性指向函数C
。C
,并将'this
'设置为新对象,并使用提供的参数。 C
返回一个对象,则该对象是表达式的结果。否则,新创建的对象是表达式的结果。 ECMAScript 5中new
的替代方法是使用内置Object.createObject
方法。
new C(arg1, arg2)
相当于:
var obj = Object.createObject(C.prototype);
C.apply(obj, [arg1, arg2]);
标准JavaScript不允许您显式设置对象的原型,因此Object.createObject
无法在语言本身中实现。某些实现确实允许它通过非标准属性__proto__。在这种情况下,new C
可以这样模拟:
var obj = {};
obj.__proto__ = C.prototype;
C.apply(obj, [arg1, arg2]);