你可以使用{...}
直接创建对象
也可以通过Function
关键词构造的函数来创建对象。
本篇内容所指的函数,均已将箭头函数排除在外。因为箭头函数不能用来构造函数。箭头函数没有绑定
this,arguments,super,new.target
。
- 使用
new
关键字来调用一个函数,就是使用构造函数创建对象了。如果不使用new
关键字,那就是一个普通的函数; - 一般构造函数名使用大写;
定义一个构造函数
function Student(name) {
this.name = name;
this.hello = function () {
alert('Hello, ' + this.name + '!');
}
}
长的跟普通函数一样,不使用new
关键词调用,就是普通函数,使用new
关键词调用就是构造函数了。
使用new
关键字调用函数,它绑定的this
指向新创建的对象,并默认返回this
,也就是说 不需要再构造函数最后写 return this
使用构造函数创建对象
var xiaoming = new Student('小明');
xiaoming.name; // '小明'
xiaoming.hello(); // Hello, 小明!
JavaScript创建的每一个对象都会设置一个原型,指向它的原型对象
当我们使用
obj.xxx
访问对象属性时,JavaScript引擎现在当前对象上查找该属性,如果没有找到,就在其原型对象上找,如果没有找到就一直上溯到Object.prototype
对象,最后,如果还没有找到,就只能返回undefined。
例如创建一个数组 var a = [1,2,3];
它的原型链如下
a -> Array.prototype -> Object.prototype -> null
因为在Array.Prototype上定义了push方法,所以在可以使用 a.push()
在这里 xiaoming 的原型链就是:
xiaoming -> Student.prototype -> Object.prototype -> null
但是xiaoming
可没有prototype属性,不过可以用__proto__
非标准语法查看,
Student.prototype
指向的就是xiaoming
的原型对象,默认是个Student
类型的空对象,这个原型对象还有一个属性constructor
指向Student
函数本身
Student.prototype
中属性 constructor
也就可以使用了 比如xiaoming
也就拥有了 constructor
属性,其实就是Student.prototype.constructor
也就是 Student
函数本身。
因此 xiaoming.constructor === Student.prototype.constructor === Student
如果我们通过new Student()
创建了很多对象,这些对象的hello
函数实际上只需要共享同一个函数就可以了,这样可以节省很多内存。
根据对象的属性查找原则,我们只要把hello
函数移动到 这些对象的共同的原型上就可以了。
function Student(name) {
this.name = name;
}
Student.prototype.hello = function () {
alert('Hello, ' + this.name + '!');
};
而如果你直接给prototype
赋值,那么就会一不小心改变 Student 的原型 比如:
Student.prototype = {
hello: function () {
alert('Hello, ' + this.name + '!');
},
play:function(){
alert('play with me');
}
}
上面的代码是赋值操作,而不是在原来的prototype对上增加属性值,
原来的 Student.prototype
对象是 Student 类型的 {}
其打印结果是 Student {}
它的constructor 是Student函数本身
而直接赋值的这个 {...}
默认是 Object
类型的对象,这个Object对象的 prototype.constructor
也就是自然指向了它的构造函数 [Function: Object]
所以,使用Student
创建对象所继承的constructor
属性 就不再是原来的 Student
函数 而是 Object
函数。
如果想让constructor
依然指向Student
修改原型对象的constructor
的属性就可以了。
解决方案就是在设置完prototype
之后,设置下constructor
Student.prototype = {
hello: function () {
alert('Hello, ' + this.name + '!');
},
play:function(){
alert('play with me');
}
};
Student.prototype.constructor = Student;
尽管可以这样解决,你也发现了,Student.prototype的打印结果已经不是Student(Student {}
)的类型了,而是默认对象Object 的类型,然后又更改constructor(Student.prototype.constructor),不觉得有不一致的地方吗?一个Student类型的原型指向了一个Object类型的对象,其constructor却是Student函数。
所以我不推荐使用这种方法 给原型对象 增加 属性或者方法。虽然没有改变原型链,但是改变了原型的指向,稍不注意可能会有一些意外的问题发生。
我依然推崇直接在原来的原型对象上修改:
function Student(name) {
this.name = name;
}
Student.prototype.hello = function () {
alert('Hello, ' + this.name + '!');
};