案例:
var Vehicle = function (p) { this.price = p; }; var v = new Vehicle(500);[========]
#第二部分、new 命令的原理
1. 创建一个空对象,作为将要返回的实例。 2. 将空对象的原型(proto)指向构造函数的prototype属性。 3. 将空对象赋值给构造函数中的this。 4. 指向构造函数中的代码
简易的实现一:
function MyNew(){ var obj = {}; var constructorFunction = [].shift.call(arguments) obj.__proto__ = constructorFunction.prototype var params = arguments var res = constructorFunction.apply(obj, params) return res instanceof Object ? res : obj } function A(name){ this.name = name; } var a1 = new A('a1'); var a2 = MyNew(A,'a2');简易的实现二:
function _new(/* 构造函数 */ constructor, /* 构造函数参数 */ params) { // 将 arguments 对象转为数组 var args = [].slice.call(arguments); // 取出构造函数 var constructor = args.shift(); // 创建一个空对象,继承构造函数的 prototype 属性 var context = Object.create(constructor.prototype); // 执行构造函数 var result = constructor.apply(context, args); // 如果返回结果是对象,就直接返回,否则返回 context 对象 return (typeof result === 'object' && result != null) ? result : context; } // 实例 var actor = _new(Person, '张三', 28);