Object.create()方法的实现
Object.create()方法用于创建一个新对象并将这个新对象的[[Prototype]]设置为特定的对象。另外,Object.create()方法还有一个可选的参数propertiesObject,这个参数类似于Object.defineProperties()方法的第二个参数,指定了将要添加到新对象中的属性和属性的各个特性。在实现Object.create()方法时要注意确保第一个参数是非空的对象。另外,如果第二个参数不是undefined,同样要确保它是非空的对象。
1 const myObjectCreate = function (proto, propertiesObject) { 2 if (typeof proto !== "object" && typeof proto !== "function") { 3 throw new TypeError("The prototype must be a object"); 4 } else if (proto === null) { 5 throw new TypeError("The prototype cannot be null"); 6 } 7 8 // 创建构造函数,并将构造函数的原型对象设置为proto 9 const F = function () {}; 10 F.prototype = proto; 11 12 // 创建新对象 13 let obj = new F(); 14 15 if (propertiesObject && typeof propertiesObject === "object") { 16 Object.defineProperties(obj, propertiesObject); 17 } 18 19 return obj; 20 } 21 22 let person = myObjectCreate({name : "Alex"}, { 23 age : { 24 writable : false, 25 enumerable : true, 26 value : 18 27 } 28 }); 29 console.log(person.name, person.age); // Alex 18