三种方法判断是否为new调用构造函数

1:在构造函数内部使用严格模式,这样this的指向为undefined,为uneducated添加属性和方法会直接报错!

        function Foo() {
            'use strict'
            this.name = 'zhangsan';
            this.age = 18;
        }
        //TypeError: Cannot set property 'name' of undefined
        var a = Foo();

2:使用instanceof判断tthis的指向

        function Foo() {
            if (!(this instanceof Foo)) throw new Error('cuowu!');
            this.name = 'zhangsan';
            this.age = 18;
        }
        //Error: cuowu!
        var a = Foo();

这里如果默认调用this会指向全局对象,而如果使用new调用,this的指向为Foo的实例对象.。

3:使用new target方法判断

        function Foo() {
            if (new.target !== Foo) throw new Error('cuowu!');
            this.name = 'zhangsan';
            this.age = 18;
        }
        //Error: cuowu!
        var a = Foo();

如果不是new调用,target默认指向的是undefined。

猜你喜欢

转载自www.cnblogs.com/boses/p/9587815.html