js es6系列教程 - 基于new.target属性与es5改造es6的类语法
es5的构造函数前面如果不用new调用,this指向window,对象的属性就得不到值了,所以以前我们都要在构造函数中通过判断this是否使用了new关键字来确保普通的函数调用方式都能让对象复制到属性
functionPerson(uName){ if(thisinstanceofPerson){ this.userName=uName; }else{ returnnewPerson(uName); } } Person.prototype.showUserName=function(){ returnthis.userName; } console.log(Person('ghostwu').showUserName()); console.log(newPerson('ghostwu').showUserName());
在es6中,为了识别函数调用时,是否使用了new关键字,引入了一个新的属性new.target:
1,如果函数使用了new,那么new.target就是构造函数
2,如果函数没有用new,那么new.target就是undefined
3,es6的类方法中,在调用时候,使用new,new.target指向类本身,没有使用new就是undefined
functionPerson(uName){ if(new.target!==undefined){ this.userName=uName; }else{ thrownewError('必须用new实例化'); } } //Person('ghostwu');//报错 console.log(newPerson('ghostwu').userName);//ghostwu
使用new之后,new.target就是Person这个构造函数,那么上例也可以用下面这种写法:
functionPerson(uName){ if(new.target===Person){ this.userName=uName; }else{ thrownewError('必须用new实例化'); } } //Person('ghostwu');//报错 console.log(newPerson('ghostwu').userName);//ghostwu
classPerson{ constructor(uName){ if(new.target===Person){ this.userName=uName; }else{ thrownewError('必须要用new关键字'); } } } //Person('ghostwu');//报错 console.log(newPerson('ghostwu').userName);//ghostwu
上例,在使用new的时候,new.target等于Person
掌握new.target之后,接下来,我们用es5语法改写上文中es6的类语法
letPerson=(function(){ 'usestrict'; constPerson=function(uName){ if(new.target!==undefined){ this.userName=uName; }else{ thrownewError('必须使用new关键字'); } } Object.defineProperty(Person.prototype,'sayName',{ value:function(){ if(typeofnew.target!=='undefined'){ thrownewError('类里面的方法不能使用new关键字'); } returnthis.userName; }, enumerable:false, writable:true, configurable:true }); returnPerson; })(); console.log(newPerson('ghostwu').sayName()); console.log(Person('ghostwu'));//没有使用new,报错
以上这篇jses6系列教程-基于new.target属性与es5改造es6的类语法就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持毛票票。