使用 TypeScript 从另一个文件导入接口

使用 TypeScript 从另一个文件导入接口

Import an Interface from Another file using TypeScript

要从 TypeScript 中的另一个文件导入接口:

  1. 从文件中导出接口A,例如export interface Employee {}
  2. 将文件中的接口导入B
    import { Employee } from './another-file'.
  3. 使用文件中的接口B

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

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

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

索引.ts
// 👇️ named import import { Employee } from './another-file'; const emp: Employee = { id: 1, name: 'James', salary: 100, }; console.log(emp);

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

例如,如果another-file.ts位于上一级目录,则必须导入为import {Employee} from '../another-file'.

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

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

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

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

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

让我们看一个示例,说明如何导入使用默认导出导出的接口。

以下是 的内容another-file.ts

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

下面是我们如何使用默认导入来导入界面。

索引.ts
// 👇️ default import import Employee from './another-file'; const emp: Employee = { id: 1, name: 'James', salary: 100, }; console.log(emp);

请注意,我们没有将导入内容用花括号括起来。

我们也可以在导入接口时使用不同的名称,例如
Foo.

索引.ts
// 👇️ default import import Foo from './another-file'; const emp: Foo = { id: 1, name: 'James', salary: 100, }; console.log(emp);

这有效,但令人困惑,应该避免。

根据我的经验,大多数真实世界的代码库只使用命名导出和导入,因为它们可以更轻松地利用 IDE 进行自动完成和自动导入。
您也不必考虑使用默认导出或命名导出导出哪些成员。

您也可以混合搭配。以下是同时使用默认导出和命名导出的文件示例。

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

以下是您将如何导入这两个接口。

索引.ts
// 👇️ default and named imports import Employee, { Person } from './another-file'; const emp: Employee = { id: 1, name: 'James', salary: 100, }; console.log(emp); const person: Person = { name: 'Alice', }; console.log(person);

我们使用默认导入来导入Employee接口,使用命名导入来导入Person接口。

请注意,每个文件只能有一个默认导出,但您可以根据需要拥有任意多个命名导出。