如何在 TypeScript 中导出接口

在 TypeScript 中导出接口

How to export an Interface in TypeScript

使用命名导出在 TypeScript 中导出接口,例如
export interface Person{}. 可以使用命名的 import as 导入导出的接口import {Person} from './another-file'您可以在单个文件中根据需要拥有尽可能多的命名导出。

下面是一个从名为
another-file.ts.

另一个文件.ts
// 👇️ named export export interface Person { name: string; country: string; }

请注意,export在与接口定义相同的行上使用与在声明接口后将其导出为对象相同。

另一个文件.ts
interface Person { name: string; country: string; } // 👇️ named export export { Person };

以下是我们如何将
接口导入
名为
index.ts.

索引.ts
import { Person } from './another-file'; const person: Person = { name: 'James Doe', country: 'Germany', };

如果必须,请确保更正指向another-file模块的路径。上面的示例假定another-file.tsindex.ts位于同一目录中。

例如,如果您从一个目录向上导入,您会做
import {Person} from '../another-file'.

导入接口时,我们将接口名称用大括号括起来——这称为命名导入。

TypeScript 使用
模块的概念,就像 JavaScript 一样。

为了能够从不同的文件导入接口,必须使用命名或默认导出来导出它。

上面的示例使用命名导出和命名导入。

命名和默认导出和导入之间的主要区别是 – 每个文件可以有多个命名导出,但只能有一个默认导出。

如果您尝试在单个文件中使用多个默认导出(用于函数、类、变量),则会出现错误。

但是,如果您使用多个默认导出从同一个文件导出接口,接口将被合并。

另一个文件.ts
// 👇️ default export export default interface Employee { id: number; salary: number; } // 👇️ default export export default interface Person { name: string; }

这是导入合并界面的方法。

索引.ts
// 👇️ default import import Employee from './another-file'; const employee: Employee = { id: 1, name: 'James Doe', salary: 1447, };

请注意,该Employee接口现在具有 和 的Employee
属性
Person

你应该避免使用这种模式,因为它很容易混淆。

根据我的经验,大多数真实世界的代码库只使用命名导出和导入,因为它们可以更轻松地利用 IDE 进行自动完成和自动导入。

您也不必考虑使用默认导出或命名导出导出哪些成员。

发表评论