从 React.js 中的文件导出多个函数

从 React.js 中的文件导出多个函数

Export multiple functions from a file in React.js

使用命名导出在 React 中导出多个函数,例如
export function A() {}export function B() {}. 可以使用命名的 import as 导入导出的函数
import {A, B} from './another-file'您可以在单个文件中根据需要拥有尽可能多的命名导出。

下面是一个从名为
Boxes.js.

盒子.js
// 👇️ named export export function SmallBox() { return ( <div style={{ backgroundColor: 'salmon', color: 'white', height: '100px', width: '100px', }} > Small Box </div> ); } // 👇️ named export export const BigBox = () => { return ( <div style={{ padding: '30px', backgroundColor: 'lime', color: 'white', height: '200px', width: '200px', }} > Big Box </div> ); };

export在函数定义的同一行使用关键字与在函数声明后将函数导出为对象相同。

盒子.js
function SmallBox() { return ( <div style={{ backgroundColor: 'salmon', color: 'white', height: '100px', width: '100px', }} > Small Box </div> ); } const BigBox = () => { return ( <div style={{ padding: '30px', backgroundColor: 'lime', color: 'white', height: '200px', width: '200px', }} > Big Box </div> ); }; // 👇️ named exports export {SmallBox, BigBox};

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

应用程序.js
import {SmallBox, BigBox} from './Boxes'; export default function App() { return ( <div> <SmallBox /> <BigBox /> </div> ); }

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

例如,如果您从一个目录向上导入,您会做
import {SmallBox, BigBox} from '../Boxes'.

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

该语法
在 JavaScript
import/export中称为
ES6 模块。

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

上面的示例使用了named导出和named导入。

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

如果您尝试在单个文件中使用多个默认导出,则会出现错误。

盒子.js
export default function SmallBox() { return ( <div style={{ backgroundColor: 'salmon', color: 'white', height: '100px', width: '100px', }} > Small Box </div> ); } const BigBox = () => { return ( <div style={{ padding: '30px', backgroundColor: 'lime', color: 'white', height: '200px', width: '200px', }} > Big Box </div> ); }; // ⛔️ Parsing error: Only one default export allowed per module. export default BigBox

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

话虽如此,您可以1在单个文件中使用默认导出和任意数量的命名导出。

让我们看一个导出多个函数并同时使用默认和命名导出的示例。

盒子.js
// 👇️ default export export default function SmallBox() { return ( <div style={{ backgroundColor: 'salmon', color: 'white', height: '100px', width: '100px', }} > Small Box </div> ); } // 👇️ named export export const BigBox = () => { return ( <div style={{ padding: '30px', backgroundColor: 'lime', color: 'white', height: '200px', width: '200px', }} > Big Box </div> ); };

这是导入这两个函数的方法。

应用程序.js
// 👇️ default and named imports import SmallBox, {BigBox} from './Boxes'; export default function App() { return ( <div> <SmallBox /> <BigBox /> </div> ); }

请注意,我们没有将默认导入包含在花括号中。

我们使用默认导入来导入SmallBox函数,并使用命名导入来导入BigBox函数。

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

根据我的经验,大多数真实世界的代码库都专门使用命名导出和导入,因为它们可以更轻松地利用 IDE 进行自动完成和自动导入。

您也不必考虑使用默认导出或命名导出导出哪些成员。