js new一个对象的过程,实现一个简单的new方法
对于大部分前端开发者而言,new一个构造函数或类得到对应实例,是非常普遍的操作了。下面的例子中分别通过构造函数与class类实现了一个简单的创建实例的过程。
// ES5构造函数 let Parent = function (name, age) { this.name = name; this.age = age; }; Parent.prototype.sayName = function () { console.log(this.name); }; const child = new Parent('test', 26); child.sayName() //'test' //ES6 class类 class Parent { constructor(name, age) { this.name = name; this.age = age; } sayName() { console.log(this.name); } }; const child = new Parent('test', 26); child.sayName() //test
一、new操作中发生了什么?
比较直观的感觉,当我们new一个构造函数,得到的实例继承了构造器的构造属性(this.name这些)以及原型上的属性。
在《JavaScript模式》这本书中,new的过程说的比较直白,当以new操作符调用构造函数时,函数内部将会发生以下情况:
• 创建一个空对象并且this变量引用了该对象,同时还继承了该函数的原型。
• 属性和方法被添加至this引用的对象中。
• 新创建的对象由this所引用,并且最后隐式地返回 this(如果没有显式的返回其它的对象)
我们改写上面的例子,大概就是这样:
// ES5构造函数 let Parent = function (name, age) { //1.创建一个新对象,赋予this,这一步是隐性的, // let this = {}; //2.给this指向的对象赋予构造属性 this.name = name; this.age = age; //3.如果没有手动返回对象,则默认返回this指向的这个对象,也是隐性的 // return this; }; const child = new Parent();
将this赋予一个新的变量(例如that),最后返回这个变量:
// ES5构造函数 let Parent = function (name, age) { let that = this; that.name = name; that.age = age; return that; }; const child = new Parent('test', '26');
this的创建与返回是隐性的,手动返回that的做法;这也验证了隐性的这两步确实是存在的。
二、实现一个简单的new方法(winter大神)
• 以构造器的prototype属性为原型,创建新对象;
• 将this(也就是上一句中的新对象)和调用参数传给构造器,执行;
• 如果构造器没有手动返回对象,则返回第一步创建的新对象,如果有,则舍弃掉第一步创建的新对象,返回手动return的对象。
new过程中会新建对象,此对象会继承构造器的原型与原型上的属性,最后它会被作为实例返回这样一个过程。
// 构造器函数 let Parent = function (name, age) { this.name = name; this.age = age; }; Parent.prototype.sayName = function () { console.log(this.name); }; //自己定义的new方法 let newMethod = function (Parent, ...rest) { // 1.以构造器的prototype属性为原型,创建新对象; let child = Object.create(Parent.prototype); // 2.将this和调用参数传给构造器执行 let result = Parent.apply(child, rest); // 3.如果构造器没有手动返回对象,则返回第一步的对象 return typeof result === 'object' ? result : child; }; //创建实例,将构造函数Parent与形参作为参数传入 const child = newMethod(Parent, 'echo', 26); child.sayName() //'echo'; //最后检验,与使用new的效果相同 child instanceof Parent//true child.hasOwnProperty('name')//true child.hasOwnProperty('age')//true child.hasOwnProperty('sayName')//false