ES5原型继承
function Animal(name) {
this.name = name;
}
Animal.prototype.eat = function () {
console.log(this.name + " is eating.");
};
function Dog(name) {
// 子类构造函数中调用父类构造函数
Animal.call(this, name);
// 子类自己的属性
this.type = "dog";
}
// 子类继承父类的方法
Dog.prototype = Object.create(Animal.prototype);
Dog.prototype.constructor = Dog;
function Cat(name) {
Animal.call(this, name);
this.type = "cat";
}
Cat.prototype = Object.create(Animal.prototype);
Cat.prototype.constructor = Cat;
TS中的继承实现
class Animal {
name: string;
constructor(name: string) {
this.name = name;
}
move(distance: number = 0) {
console.log(`${this.name} moved ${distance}m.`);
}
}
class Dog extends Animal {
type: string = "dog";
age: number;
constructor(name: string, age: number) {
super(name);
this.age = age;
}
bark() {
console.log("Woof! Woof!");
}
}
var __extends = (this && this.__extends) || (function () {
var extendStatics = function (d, b) {
extendStatics = Object.setPrototypeOf ||
({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||
function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };
return extendStatics(d, b);
};
return function (d, b) {
if (typeof b !== "function" && b !== null)
throw new TypeError("Class extends value " + String(b) + " is not a constructor or null");
extendStatics(d, b);
function __() { this.constructor = d; }
d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
};
})();
var Animal = /** @class */ (function () {
function Animal(name) {
this.name = name;
}
Animal.prototype.move = function (distance) {
if (distance === void 0) { distance = 0; }
console.log("".concat(this.name, " moved ").concat(distance, "m."));
};
return Animal;
}());
var Dog = /** @class */ (function (_super) {
__extends(Dog, _super);
function Dog(name, age) {
var _this = _super.call(this, name) || this;
_this.type = "dog";
_this.age = age;
return _this;
}
Dog.prototype.bark = function () {
console.log("Woof! Woof!");
};
return Dog;
}(Animal));