Javascript:new和{}的区别

在Javascript中创建对象可以使用new关键字和{}两种方式,但是这两种方式又有什么区别呢,最近在重新学习JS,在看Eloquent Javascript中的第八章关于面向对象编程的时候,作者就讲到了这两个的区别,先看下面这段代码
function Rabbit(adjective) {
  this.adjective = adjective;
  this.speak = function(line) {
    print("The ", this.adjective, " rabbit says '", line, "'");
  };
}

function makeRabbit(adjective) {
  return {
    adjective: adjective,
    speak: function(line) {/*etc*/}
  };
}

var r = new Rabbit('killer');
show(r.constructor);
r = new makeRabbit('killer');
show(r.constructor);
Rabbit的产生,一个是使用new关键字,一个使用{}的方式,输出的结果是:
<function Rabbit(adjective)>
<function Object()>
使用new创建新对象时,构造器是new时所使用的对象,而{}则使用的Object。事实上,使用{}等价于new Object().

你可能感兴趣的:(new,{})