复用、抽象
image.pngJavaScript实现方式
- 模拟Java中的类
有new、this,但是缺少继承等关键特性,ES6开始提供class关键字 - 原型 (prototype)
ES6之后
- Object.create(根据指定的原型创建新对象)
- Object.getPrototypeOf (获得一个对象的原型)
- Object.setPrototypeOf (设置一个对象的原型)
原型复用示例
//创建“猫”对象
var cat = {
say(){
console.log("meow~");
},
jump(){
console.log("jump");
}
}
//根据猫,修改创建了虎
var tiger = Object.create(cat, {
say:{
writable:true,
configurable:true,
enumerable:true,
value:function(){
console.log("roar!");
}
}
})
var anotherCat = Object.create(cat);
anotherCat.say();
var anotherTiger = Object.create(tiger);
anotherTiger.say();
类与原型
image.png之前版本new+function 来模拟对象
- 以构造器的 prototype 属性(注意与私有字段[[prototype]]的区分)为原型,创建新对象;
- 将 this 和调用参数传给构造器,执行;
- 如果构造器返回的是对象,则返回,否则返回第一步创建的对象。
模拟类创建对象
function c1(){
//直接在构造器中修改this,给this添加属性
this.p1 = 1;
this.p2 = function(){
console.log(this.p1);
}
}
var o1 = new c1;
o1.p2();
function c2(){
}
//修改构造器的prototype属性指向的对象
c2.prototype.p1 = 1;
c2.prototype.p2 = function(){
console.log(this.p1);
}
var o2 = new c2;
o2.p2();
ES6 中的类
- 关键字class
class Rectangle {
constructor(height, width){
this.height = height;
this.width = width;
}
// Getter
get area() {
return this.calcArea();
}
// Method
calcArea() {
return this.height * this.width;
}
}
- 继承 extends
class Animal {
constructor(name) {
this.name = name;
}
speak() {
console.log(this.name + ' makes a noise.');
}
}
class Dog extends Animal {
constructor(name) {
super(name); // call the super class constructor and pass in the name parameter
}
speak() {
console.log(this.name + ' barks.');
}
}
let d = new Dog('Mitzie');
d.speak(); // Mitzie barks.
网友评论