使用 JavaScript 从另一个文件导入函数

使用 JavaScript 从另一个文件导入函数

Import Functions from another file using JavaScript

要从 JavaScript 中的另一个文件导入函数:

  1. 从文件导出功能A,例如export function sum() {}
  2. 将文件中的函数导入Bimport {sum} from './another-file.js'.
  3. 使用 file 中的导入函数B

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

另一个文件.js
// 👇️ named export export function sum(a, b) { return a + b; } // 👇️ named export export function multiply(a, b) { return a * b; } // (arrow function) // export const sum = (a, b) => { // return a + b; // };

使用箭头函数时语法相同。您所要做的就是使用
export关键字。

以下是我们如何将函数导入名为index.js.

索引.js
// 👇️ named import import {sum, multiply} from './another-file.js'; console.log(sum(35, 65)); // 👉️ 100 console.log(multiply(5, 5)); // 👉️ 25

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

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

导入函数时,我们将函数名称用大括号括起来——这称为named导入。

导入/导出语法称为
JavaScript 模块

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

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

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

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

以下是 的内容another-file.js

另一个文件.js
// 👇️ default export export default function sum(a, b) { return a + b; } // (arrow function) // const sum = (a, b) => { // return a + b; // }; // export default sum;

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

索引.js
// 👇️ default import import sum from './another-file.js'; console.log(sum(35, 65)); // 👉️ 100

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

我们也可以在导入函数时使用不同的名称,例如
foo.

索引.js
// 👇️ default import import foo from './another-file.js'; console.log(foo(35, 65)); // 👉️ 100

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

重要提示:如果您将变量(或箭头函数)导出为默认导出,则必须在第一行声明它并在下一行导出它。

您不能在同一行上声明和默认导出变量。

另一个文件.js
const sum = (a, b) => { return a + b; }; // 👇️ default export export default sum;
In my experience, most real world codebases exclusively use named exports and imports because they make it easier to leverage your IDE for autocompletion and auto-imports.
You also don’t have to think about which members are exported with a default or named export.

You can also mix and match, here is an example of a file that uses both a
default and a named export.

another-file.js
// 👇️ default export export default function sum(a, b) { return a + b; } // 👇️ named export export const multiply = (a, b) => { return a * b; };

And here is how you would import the two functions.

index.js
// 👇️ default and named imports import sum, {multiply} from './another-file.js'; console.log(sum(35, 65)); // 👉️ 100 console.log(multiply(10, 10)); // 👉️ 100

We used a default import to import the sum function and a named import to
import the multiply function.

Note that you can only have a single default export per file, but you can have
as many named exports as necessary.