@splintor 的所有优点(谢谢)。
但这里是我自己的派生版本。
好处:
- 什么module导出都聚集在一个
{module_name: exports_obj}
对象下。
- module_name是从其文件名构建的。
- ...没有扩展名并用下划线替换斜线(在子目录扫描的情况下)。
- 添加了注释以简化自定义。
- 即您可能不希望在子目录中包含文件,例如,如果它们是根级module手动需要的。
编辑:如果像我一样,你确定你的module除了(至少在根级别)一个常规的 javascript 对象之外不会返回任何东西,你也可以“挂载”它们复制它们的原始目录结构(参见代码(深度版本) )部分)。
代码(原版):
function requireAll(r) {
return Object.fromEntries(
r.keys().map(function(mpath, ...args) {
const result = r(mpath, ...args);
const name = mpath
.replace(/(?:^[.\/]*\/|\.[^.]+$)/g, '') // Trim
.replace(/\//g, '_') // Relace '/'s by '_'s
;
return [name, result];
})
);
};
const allModules = requireAll(require.context(
// Any kind of variables cannot be used here
'@models' // (Webpack based) path
, true // Use subdirectories
, /\.js$/ // File name pattern
));
例子:
最终的示例输出console.log(allModules);
:
{
main: { title: 'Webpack Express Playground' },
views_home: {
greeting: 'Welcome to Something!!',
title: 'Webpack Express Playground'
}
}
目录树:
models
├── main.js
└── views
└── home.js
代码(深度版):
function jsonSet(target, path, value) {
let current = target;
path = [...path]; // Detach
const item = path.pop();
path.forEach(function(key) {
(current[key] || (current[key] = {}));
current = current[key];
});
current[item] = value;
return target;
};
function requireAll(r) {
const gather = {};
r.keys().forEach(function(mpath, ...args) {
const result = r(mpath, ...args);
const path = mpath
.replace(/(?:^[.\/]*\/|\.[^.]+$)/g, '') // Trim
.split('/')
;
jsonSet(gather, path, result);
});
return gather;
};
const models = requireAll(require.context(
// Any kind of variables cannot be used here
'@models' // (Webpack based) path
, true // Use subdirectories
, /\.js$/ // File name pattern
));
例子:
使用此版本的先前示例的结果:
{
main: { title: 'Webpack Express Playground' },
views: {
home: {
greeting: 'Welcome to Something!!',
title: 'Webpack Express Playground'
}
}
}