New操作符

一、new操作符的作用

new操作符的作用是创建对象,将该对象通过构造函数与原型链连接起来。

它经历如下阶段

    1. 创建空对象
    1. 设置原型链
    1. 让构造函数的this指向该对象,执行构造函数
    1. 判断构造函数的返回值类型,如果是引用类型,则返回该引用类型的对象

由上述第4点可知,构造函数不应该有返回值

function Hana(name,age) { 
  this.name = name 
  this.age = age 
  return 1 // 返回值为基本类型 无效
}
console.log(new Hana("花たん",28))  // logs Hana { name: '花たん', age: 28 }

二、new操作符的实现

function create(Con) { 
  var obj = {} 
  // 将arguments转化为数组
  var args = Array.prototype.slice.call(arguments,1)
  Object.setPrototypeOf(obj,Con.prototype)
  var result = Con.apply(obj,args)
  return typeof result === 'object'?result:obj 
}

console.log(create(Hana,"花たん",28)) // logs Hana { name: '花たん', age: 28 }

你可能感兴趣的:(New操作符)