构造函数
1 定义:通过 new来实例化对象的函数叫构造函数。
对new理解:new 申请内存, 创建对象。
当调用new时,后台会隐式执行new Object()创建对象,所以new创建的字符串、数字是引用类型。
2 构造函数的作用:需要创建多个有相同属性/方法的对象时,就需要用到构造函数,它可以方便创建多个对象实例。
3 常用的构造函数:
var arr = []
为var arr = new Array()
的语法糖var obj = {}
为var obj = new Object()
的语法糖var date = new Date()
、
4 构造函数的特点
1、首字母大写,用来区分于普通函数
2、内部使用的 this 指向即将要生成的实例对象
3、使用 new 生成实例对象
5 构造函数的执行流程(new 一个函数发生了什么)
function Person(name) {
this.name = name;
}
var p1 = new Person('Ann');
1、调用new时,会创建一个新的内存空间,标记为 Person 的实例
2、将新建的对象设置为函数中的 this
3、执行函数体内的代码
4、将新建的对象作为返回值(如果函数没有其他返回对象,那么自动返回这个新对象)
注:ES6中已经使用class类创建新对象。构造函数已经不使用了。
class与构造函数的关系
class 为构造函数的语法糖,即 class 的本质是构造函数。class的继承 extends 本质为构造函数的原型链的继承。
类的写法
class Person { // 定义一个名字为Person的类
constructor(name, age) { // constructor是一个构造方法,用来接收参数
this.name = name; // this代表实例对象
this.age = age;
}
say() { // 这是一个类的方法,注意千万不要加上function
return this.name + this.age
}
}
var obj = new Person('Ann', 18);
console.log(obj.say());
构造函数的写法
function Person(name, age) {
this.name = name;
this.age = age;
}
Person.prototype.say = function () {
return this.name + this.age
}
var obj = new Person('Ann', 18); // 通过构造函数创建对象,必须使用new运算符
console.log(obj.say());
总结:通过class定义的类和通过构造函数定义的类二者本质相同。并且在js执行时,会将第一种转会为第二种执行。所以 ES6 class的写法实质就是构造函数。
构造函数和原型对象中this的指向
function Person(age) {
this.age = age
console.log(this);
}
Person.prototype.getName = function() {
console.log(this)
}
var p = new Person(12)
p.getName()
最后输出两次 Person { age: 12 }
说明构造函数中的 this 和原型对象方法中的 this 就是实例对象