标签:函数类型 情况 它的 mozilla property lock 添加 操作 err
new 运算符创建一个用户定义的对象类型的实例或具有构造函数的内置对象的实例。
new constructor[[arguments]];
new 关键字会进行如下的操作:
创建一个空对象,将它的引用赋给 this,继承函数的原型。
通过 this 将属性和方法添加至这个对象
最后返回 this 指向的新对象,也就是实例(如果没有手动返回其他的对象)
/**
* myNew
* @param {Function} Parent
* @param {...any} args
* @returns {Object}
*/
function myNew(Parent, ...args) {
// 构造函数类型必须是方法
if (typeof Parent !== "function") {
throw new TypeError("first parameter is not a constructor");
}
// 创建一个继承自Parent.prototype的新对象
var child = Object.create(Parent.prototype);
// 将构造函数Parent的this绑定到child中
var res = Parent.apply(child, args);
// 一般情况下,构造函数不返回值,我们选择主动返回对象,来覆盖正常的对象创建步骤
return typeof res === "object" ? res : child;
}
function Parent(name, age) {
this.name = name;
this.age = age;
}
Parent.prototype.sayName = function () {
console.log(this.name);
};
var str = "";
// 失败测试
var a = myNew(str);
// first parameter is not a constructor
// 成功
var b = myNew(Parent, "frank", 18);
b.sayName(); // frank
b instanceof Parent; // true
b.hasOwnProperty("name"); // true
b.hasOwnProperty("age"); // true
b.hasOwnProperty("sayName"); // false
标签:函数类型 情况 它的 mozilla property lock 添加 操作 err
原文地址:https://www.cnblogs.com/frank-link/p/14843461.html