ES6 class
JavaScript 在 ECMAScript 6 (ES6) 之前并没有 class 的语法,而是会透过函式构造函式建立物件,并再通过 new 关键字实例。
在 ES6 时引入了 class 的概念,JavaScript class 使用的语法 class 似于其他 OOP 程式语言中的 class,但 JavaScript 的 class 是一种语法糖,本质上与其他程式语言 class 的实践方式不一样,JavaScript 的 class 是透过原型继承来模拟 class 的行为。以下方代码为例:
class Car {constructor(brand, model) {this.brand = brand;this.model = model;}drive() {console.log(`Driving a ${this.brand} ${this.model}`);}
}const myCar = new Car("Tesla", "Model 3");
myCar.drive(); // Driving a Tesla Model 3
上方代码是 ES6 的写法,但在 ES6 之前,我们会透过函式实践相同功能
function Car(brand, model) {this.brand = brand;this.model = model;
}Car.prototype.drive = function () {console.log(`Driving a ${this.brand} ${this.model}`);
};const myCar = new Car("Tesla", "Model 3");
myCar.drive();