从 JavaScript 文件中导出所有函数
Export all functions from a file in JavaScript
使用命名导出从文件中导出所有函数,例如
export function A() {}
和export function B() {}
. 可以使用命名的 import as 导入导出的函数
import {A, B} from './another-file.js'
。您可以在一个文件中根据需要拥有尽可能多的命名导出。
下面是从一个名为
another-file.js
.
// 👇️ named export export function sum(a, b) { return a + b; } // 👇️ named export export const multiply = (a, b) => { return a * b; };
请注意,export
在与函数定义相同的行上使用与在函数声明后将函数导出为对象相同。
function sum(a, b) { return a + b; } const multiply = (a, b) => { return a * b; }; // 👇️ named exports (same as previous snippet) export {sum, multiply};
以下是我们如何将函数导入名为index.js
.
import {sum, multiply} from './another-file.js'; console.log(sum(50, 50)); // 👉️ 100 console.log(multiply(50, 50)); // 👉️ 2500
如果必须,请确保更正指向another-file.js
模块的路径。上面的示例假定another-file.js
和index.js
位于同一目录中。
例如,如果您从一个目录向上导入,您会做
import {sum, multiply} from '../another-file.js'
.
您还可以使用模块对象
模式将所有函数导入为对象的属性
。
import * as myObj from './another-file.js'; console.log(myObj.sum(50, 50)); // 👉️ 100 console.log(myObj.multiply(50, 50)); // 👉️ 2500
该语法
在 JavaScriptimport/export
中称为
ES6 模块。
上面的示例使用命名导出和命名导入。
命名和默认导出和导入之间的主要区别是 – 每个文件可以有多个命名导出,但只能有一个默认导出。
如果您尝试在单个文件中使用多个默认导出,则会出现错误。
export default function sum(a, b) { return a + b; } const multiply = (a, b) => { return a * b; }; // ⛔️ SyntaxError: Duplicate export of 'default' export default multiply;
重要提示:如果您将变量(或箭头函数)导出为默认导出,则必须在第一行声明它并在下一行导出它。您不能在同一行上声明和默认导出变量。
1
在单个文件中使用默认导出和任意数量的命名导出。让我们看一个导出多个函数并同时使用默认和命名导出的示例。
// 👇️ default export export default function sum(a, b) { return a + b; } // 👇️ named export export const multiply = (a, b) => { return a * b; };
这是导入这两个函数的方法。
// 👇️ default and named imports import sum, {multiply} from './another-file.js'; console.log(sum(50, 50)); // 👉️ 100 console.log(multiply(50, 50)); // 👉️ 2500
请注意,我们没有将默认导入包含在花括号中。
我们使用默认导入来导入sum
函数,并使用命名导入来导入multiply
函数。
请注意,每个文件只能有一个默认导出,但您可以根据需要拥有任意多个命名导出。
您也不必考虑使用默认导出或命名导出导出哪些成员。