在 TypeScript 中导出多个类型
How to export multiple Types in TypeScript
使用命名导出在 TypeScript 中导出多种类型,例如
export type A {}
和export type B {}
. 可以使用命名的 import as 导入导出的类型import {A, B} from './another-file'
。您可以在单个文件中根据需要拥有尽可能多的命名导出。
下面是从一个名为
another-file.ts
.
// 👇️ named export export type Employee = { id: number; salary: number; }; // 👇️ named export export type Person = { name: string; };
请注意,export
在与类型定义相同的行上使用与在声明类型后将类型导出为对象相同。
type Employee = { id: number; salary: number; }; type Person = { name: string; }; // 👇️ named exports export { Employee, Person };
以下是我们如何将
类型导入
名为index.ts
.
// 👇️ named imports import { Employee, Person } from './another-file'; const employee: Employee = { id: 1, salary: 500, }; const person: Person = { name: 'Jim', };
如果必须,请确保更正指向another-file
模块的路径。上面的示例假定another-file.ts
和index.ts
位于同一目录中。
例如,如果您从一个目录向上导入,您会做
import {Employee, Person} from '../another-file'
.
TypeScript 使用
模块的概念,就像 JavaScript 一样。
上面的示例使用命名导出和命名导入。
命名和默认导出和导入之间的主要区别是 – 每个文件可以有多个命名导出,但只能有一个默认导出。
如果您尝试在单个文件中使用多个默认导出,则会出现错误。
type Employee = { id: number; salary: number; }; type Person = { name: string; }; // ⛔️ Error: A module cannot // have multiple default exports.ts(2528) export default Employee; export default Person;
重要提示:如果您将 a 类型或变量(或箭头函数)导出为默认导出,则必须在第一行声明它并在下一行导出它。您不能在同一行上声明和默认导出变量。
话虽如此,您可以1
在单个文件中使用默认导出和任意数量的命名导出。
让我们看一个导出多种类型并同时使用默认和命名导出的示例。
type Employee = { id: number; salary: number; }; // 👇️ named export export type Person = { name: string; }; // 👇️ default export export default Employee;
这是导入这两种类型的方法。
import Employee, { Person } from './another-file'; const employee: Employee = { id: 1, salary: 500, }; const person: Person = { name: 'Jim', };
请注意,我们没有将默认导入包含在花括号中。
我们使用默认导入来导入Employee
类型,使用命名导入来导入Person
类型。
每个文件只能有一个默认导出,但您可以根据需要拥有任意多个命名导出。
您也不必考虑使用默认导出或命名导出导出哪些成员。