使用ES6,我可以像这样从文件中导入几个导出:
import {ThingA, ThingB, ThingC} from 'lib/things';
但是,我喜欢每个文件有一个模块的组织方式。我最终得到了这样的导入:
import ThingA from 'lib/things/ThingA';
import ThingB from 'lib/things/ThingB';
import ThingC from 'lib/things/ThingC';
我希望能够做到这一点:
import {ThingA, ThingB, ThingC} from 'lib/things/*';
或者类似的东西,按照大家理解的约定,每个文件包含一个默认导出,每个模块与其文件同名。
这可能吗?
我用过它们几次(特别是在构建大型对象时,将数据拆分到多个文件中(例如AST节点)),为了构建它们,我做了一个小脚本(我刚刚添加到npm中,以便其他人都可以使用它)。
使用方法(目前你需要使用babel来使用导出文件):
$ npm install -g folder-module
$ folder-module my-cool-module/
生成包含以下内容的文件:
export {default as foo} from "./module/foo.js"
export {default as default} from "./module/default.js"
export {default as bar} from "./module/bar.js"
...etc
然后你就可以使用这个文件了:
import * as myCoolModule from "my-cool-module.js"
myCoolModule.foo()
类似于公认的答案,但它允许你在每次创建索引文件时不需要添加一个新模块的情况下进行扩展:
/模块/ moduleA.js
export const example = 'example';
export const anotherExample = 'anotherExample';
/模块/ index.js
// require all modules on the path and with the pattern defined
const req = require.context('./', true, /.js$/);
const modules = req.keys().map(req);
// export all modules
module.exports = modules;
。/ example.js
import { example, anotherExample } from './modules'
目前的答案提出了一个解决方案,但这是bug我为什么不存在,所以我创建了一个通天塔插件,它做到了这一点。
使用以下方法安装:
npm i --save-dev babel-plugin-wildcard
然后将它添加到你的.babelrc:
{
"plugins": ["wildcard"]
}
有关详细的安装信息,请参阅回购
这允许你这样做:
import * as Things from './lib/things';
// Do whatever you want with these :D
Things.ThingA;
Things.ThingB;
Things.ThingC;
同样,repo包含了关于它到底做什么的进一步信息,但是这样做避免了创建index.js文件,并且也发生在编译时,以避免在运行时进行readdirs。
同样,在一个更新的版本中,你可以完全像你的例子一样:
import { ThingsA, ThingsB, ThingsC } from './lib/things/*';
工作原理与上述相同。
如果你使用webpack。这将自动导入文件并导出为api命名空间。
所以不需要更新每一个文件添加。
import camelCase from "lodash-es";
const requireModule = require.context("./", false, /\.js$/); //
const api = {};
requireModule.keys().forEach(fileName => {
if (fileName === "./index.js") return;
const moduleName = camelCase(fileName.replace(/(\.\/|\.js)/g, ""));
api[moduleName] = {
...requireModule(fileName).default
};
});
export default api;
对于Typescript用户;
import { camelCase } from "lodash-es"
const requireModule = require.context("./folderName", false, /\.ts$/)
interface LooseObject {
[key: string]: any
}
const api: LooseObject = {}
requireModule.keys().forEach(fileName => {
if (fileName === "./index.ts") return
const moduleName = camelCase(fileName.replace(/(\.\/|\.ts)/g, ""))
api[moduleName] = {
...requireModule(fileName).default,
}
})
export default api