js es6系列教程 - 基于new.target属性与es5改造es6的类语法
程序员文章站
2022-09-08 10:35:40
es5的构造函数前面如果不用new调用,this指向window,对象的属性就得不到值了,所以以前我们都要在构造函数中通过判断this是否使用了new关键字来确保普通的函数...
es5的构造函数前面如果不用new调用,this指向window,对象的属性就得不到值了,所以以前我们都要在构造函数中通过判断this是否使用了new关键字来确保普通的函数调用方式都能让对象复制到属性
function person( uname ){ if ( this instanceof person ) { this.username = uname; }else { return new person( uname ); } } person.prototype.showusername = function(){ return this.username; } console.log( person( 'ghostwu' ).showusername() ); console.log( new person( 'ghostwu' ).showusername() );
在es6中,为了识别函数调用时,是否使用了new关键字,引入了一个新的属性new.target:
1,如果函数使用了new,那么new.target就是构造函数
2,如果函数没有用new,那么new.target就是undefined
3,es6的类方法中,在调用时候,使用new,new.target指向类本身,没有使用new就是undefined
function person( uname ){ if( new.target !== undefined ){ this.username = uname; }else { throw new error( '必须用new实例化' ); } } // person( 'ghostwu' ); //报错 console.log( new person( 'ghostwu' ).username ); //ghostwu
使用new之后, new.target就是person这个构造函数,那么上例也可以用下面这种写法:
function person( uname ){ if ( new.target === person ) { this.username = uname; }else { throw new error( '必须用new实例化' ); } } // person( 'ghostwu' ); //报错 console.log( new person( 'ghostwu' ).username ); //ghostwu
class person{ constructor( uname ){ if ( new.target === person ) { this.username = uname; }else { throw new error( '必须要用new关键字' ); } } } // person( 'ghostwu' ); //报错 console.log( new person( 'ghostwu' ).username ); //ghostwu
上例,在使用new的时候, new.target等于person
掌握new.target之后,接下来,我们用es5语法改写上文中es6的类语法
let person = ( function(){ 'use strict'; const person = function( uname ){ if ( new.target !== undefined ){ this.username = uname; }else { throw new error( '必须使用new关键字' ); } } object.defineproperty( person.prototype, 'sayname', { value : function(){ if ( typeof new.target !== 'undefined' ) { throw new error( '类里面的方法不能使用new关键字' ); } return this.username; }, enumerable : false, writable : true, configurable : true } ); return person; })(); console.log( new person( 'ghostwu' ).sayname() ); console.log( person( 'ghostwu' ) ); //没有使用new,报错
以上这篇js es6系列教程 - 基于new.target属性与es5改造es6的类语法就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持。
上一篇: JS沙箱模式实例分析