JavaScript ES6中 class的本质
2019-10-27 本文已影响0人
邢走在云端
es6
- 代码一
class Math {
// 构造函数
constructor(x,y) {
this.x = x;
this.y = y;
}
add() {
return this.x + this.y;
}
}
let math = new Math(1,2);
console.log(math.add());
上面的代码和java C#等如此相似
es5
- 代码二
// 一个数学计算的方法
function Math(x, y) {
this.x = x;
this.y = y;
}
// 在原型中添加 add方法, 其作用是返回两个数的和
Math.prototype.add = function() {
return this.x + this.y;
}
var math = new Math(1,2);
console.log(math.add())
上述代码一和代码二其实是一样的,es6的写法明显更为清晰和简单。
其实,es6中的class真正的本质是一个语法糖!
不信看下面的:大家猜猜这个Math是什么类型的
class Math {
// ...
}
console.log(typeof Math);
答案是
function
另外
Math === Math.prototype.constructor; // true
这个在 es5
那段代码(代码二)中一样适合
function Math(x, y) {
this.x = x;
this.y = y;
}
typeof Math; // "funtion"
Math === Math.prototype.constructor; // true
放在一起:
es5
function Math(x, y) {
this.x = x;
this.y = y;
}
// 在原型中添加 add方法, 其作用是返回两个数的和
Math.prototype.add = function () {
return this.x + this.y;
}
var math = new Math(1,2);
console.log(typeof Math); // "function"
console.log(Math === Math.prototype.constructor); // true
// 实例的隐式原型 === 方法的显式原型
console.log(math.__proto__ === Math.prototype); // true
es6
class Math {
// 构造函数
constructor(x,y) {
this.x = x;
this.y = y;
}
add() {
return this.x + this.y;
}
}
let math = new Math(1,2);
console.log(typeof Math); // "function"
console.log(Math === Math.prototype.constructor); // true
// 实例的隐式原型 === 方法的显式原型
console.log(math.__proto__ === Math.prototype); // true