在 JavaScript 中导出一个类
How to export a Class in JavaScript
使用命名导出在 JavaScript 中导出一个类,例如
export class Employee {}
. 可以使用命名的 import as 导入导出的类import {Employee} from './another-file.js'
。您可以根据需要在一个文件中使用尽可能多的命名导出。
下面是从名为another-file.js
.
另一个文件.js
// 👇️ named export export class Employee { constructor(id, name, salary) { this.id = id; this.name = name; this.salary = salary; } increaseSalary() { this.salary += 100; } }
export
在与类的定义相同的行上
使用与在声明类
之后将其导出为对象相同。
另一个文件.js
class Employee { constructor(id, name, salary) { this.id = id; this.name = name; this.salary = salary; } increaseSalary() { this.salary += 100; } } // 👇️ named export (same as previous code snippet) export {Employee};
以下是我们如何将类导入名为index.js
.
索引.js
import {Employee} from './another-file.js'; const emp = new Employee(1, 'Alice', 100); console.log(emp.id); // 👉️ 1 console.log(emp.name); // 👉️ "Alice" emp.increaseSalary(); console.log(emp.salary); // 👉️ 200
如果必须,请确保更正指向another-file.js
模块的路径。该示例假定another-file.js
和index.js
位于同一目录中。
例如,如果您从一个目录向上导入,您会做
import {Employee} from '../another-file.js'
.
导入类时,我们将类名用大括号括起来。这称为命名导入。
导入/导出语法在 JavaScript中称为
ES6 模块。
为了能够从不同的文件导入类,必须使用命名或默认导出来导出它。
上面的示例使用命名导出和命名导入。
命名和默认导出和导入之间的主要区别是 – 每个文件可以有多个命名导出,但只能有一个默认导出。
如果您尝试在单个文件中使用多个默认导出,则会出现错误。
另一个文件.js
// 👇️ 2 default exports in same file = error export default class Employee { constructor(id, name, salary) { this.id = id; this.name = name; this.salary = salary; } increaseSalary() { this.salary += 100; } } // ⛔️ SyntaxError: Duplicate export of 'default' export default class Person {}
重要提示:如果您将变量(或箭头函数)导出为默认导出,则必须在第一行声明它并在下一行导出它。您不能在同一行上声明和默认导出变量。
话虽如此,您可以
1
在单个文件中使用默认导出和任意数量的命名导出。让我们看一个使用默认和命名导出的示例。
另一个文件.js
// 👇️ default export export default class Employee { constructor(id, name, salary) { this.id = id; this.name = name; this.salary = salary; } increaseSalary() { this.salary += 100; } } // 👇️ named export export class Person { constructor(name, age) { this.name = name; this.age = age; } }
这是导入这两个类的方法。
索引.js
// 👇️ default and named imports import Employee, {Person} from './another-file.js'; const emp = new Employee(1, 'Alice', 100); console.log(emp.id); // 👉️ 1 console.log(emp.name); // 👉️ "Alice" const person = new Person('Bob', 30); console.log(person.name); // 👉️ "Bob"
请注意,我们没有将默认导入包含在花括号中。
我们使用默认导入来导入Employee
类,使用命名导入来导入Person
类。
每个文件只能有一个默认导出,但您可以根据需要拥有任意多个命名导出。
根据我的经验,大多数真实世界的代码库都专门使用命名导出和导入,因为它们可以更轻松地利用 IDE 进行自动完成和自动导入。
您也不必考虑使用默认导出或命名导出导出哪些成员。