Typescript的Interface的相关使用示例和进阶知识
// 定义一个简单的接口
interface Point {
x: number;
y: number;
}
// 实现接口
const point: Point = { x: 1, y: 2 };
// 接口可以是继承的
interface ColoredPoint extends Point {
color: string;
}
const coloredPoint: ColoredPoint = { x: 1, y: 2, color: "red" };
// 可选属性
interface OptionalPoint {
x: number;
y: number;
z?: number;
}
const optionalPoint: OptionalPoint = { x: 1, y: 2 }; // z是可选的,所以这是合法的
// 只读属性
interface ReadonlyPoint {
readonly x: number;
readonly y: number;
}
const readonlyPoint: ReadonlyPoint = { x: 1, y: 2 };
// readonlyPoint.x = 3; // 错误: 属性是只读的
// 函数类型接口
interface PointConstructor {
new (x: number, y: number): Point;
}
// 使用接口定义函数
const Point: PointConstructor = class {
constructor(public x: number, public y: number) {}
};
const anotherPoint = new Point(4, 5);
这段代码展示了如何在TypeScript中定义和使用接口。首先定义了一个Point
接口,然后实现了这个接口创建了一个点。接着演示了接口的继承用法,如何定义可选属性和只读属性,以及如何定义一个构造函数接口。最后,我们定义了一个类并演示了如何使用这个接口来确保这个类符合PointConstructor
的定义。这些例子都体现了接口在TypeScript中的基本和进阶用法。
评论已关闭