使用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/*';
或者类似的东西,按照大家理解的约定,每个文件包含一个默认导出,每个模块与其文件同名。
这可能吗?
Nodejs吗?这样做:
用index.js创建一个文件夹,在索引文件中添加以下内容:
var GET = require('./GET');
var IS = require('./IS');
var PARSE = require('./PARSE');
module.exports = { ...GET, ...IS, ...PARSE};
并且,在GET.js或IS.js文件中正常导出:
module.exports = { /* something as you like */}
现在,你只需要像这样包含index.js:
const Helper = require('./YourFolder');
Helper将包括你文件夹中的所有功能。
美好的一天!
我不认为这是可能的,但我认为模块名称的解析取决于模块加载器,所以可能有一个加载器实现支持这一点。
在此之前,你可以在lib/things/index.js中使用一个中间的“模块文件”,它只包含
export * from 'ThingA';
export * from 'ThingB';
export * from 'ThingC';
它可以让你这么做
import {ThingA, ThingB, ThingC} from 'lib/things';
这并不完全是你所要求的,但是,有了这个方法,我可以在我的其他文件中迭代componentsList,并使用componentsList.map(…)等函数,我发现非常有用!
import StepOne from './StepOne';
import StepTwo from './StepTwo';
import StepThree from './StepThree';
import StepFour from './StepFour';
import StepFive from './StepFive';
import StepSix from './StepSix';
import StepSeven from './StepSeven';
import StepEight from './StepEight';
const componentsList= () => [
{ component: StepOne(), key: 'step1' },
{ component: StepTwo(), key: 'step2' },
{ component: StepThree(), key: 'step3' },
{ component: StepFour(), key: 'step4' },
{ component: StepFive(), key: 'step5' },
{ component: StepSix(), key: 'step6' },
{ component: StepSeven(), key: 'step7' },
{ component: StepEight(), key: 'step8' }
];
export default componentsList;
类似于公认的答案,但它允许你在每次创建索引文件时不需要添加一个新模块的情况下进行扩展:
/模块/ 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'
如果你使用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