如何要求node.js文件夹中的所有文件?

需要类似以下内容的文件:

files.forEach(function (v,k){
  // require routes
  require('./routes/'+v);
}};


评论

var route = require('auto-load')('routes');带有新的自动加载模块[我帮助创建了它]。

文档:nodejs.org/api/modules.html#modules_folders_as_modules

#1 楼

给require给出文件夹的路径后,它将在该文件夹中寻找一个index.js文件。如果有,则使用它,如果没有,则失败。

创建index.js文件和然后分配所有“模块”,然后简单地要求。

yourfile.js

var routes = require("./routes");


index.js

exports.something = require("./routes/something.js");
exports.others = require("./routes/others.js");


如果不知道文件名,则应该编写某种加载程序。

加载程序的工作示例:

var normalizedPath = require("path").join(__dirname, "routes");

require("fs").readdirSync(normalizedPath).forEach(function(file) {
  require("./routes/" + file);
});

// Continue application logic here


评论


需要澄清的是:当给require给出文件夹的路径时,它将在该文件夹中查找index.js。如果有,则使用它,如果没有,则失败。参见github.com/christkv/node-mongodb-native的真实示例:根目录中有一个index.js,它需要一个目录./lib/mongodb; ./lib/mongodb/index.js'使该目录中的所有其他内容都可用。

–特雷弗·伯纳姆
2011年4月26日下午5:18

require是一个同步函数,因此回调没有任何好处。我会改用fs.readdirSync。

–拉斐尔·索博塔(RafałSobota)
2012年1月10日22:35

谢谢,今天遇到了同样的问题,并以为“为什么没有require('./ routes / *')?”。

–理查德·克莱顿(Richard Clayton)
2012年2月11日14:09

@RobertMartin不需要导出的任何内容时很有用;例如,如果我只想将Express应用程序实例传递给一组将绑定路线的文件。

–理查德·克莱顿(Richard Clayton)
2012年9月2日于12:08

@TrevorBurnham要添加,可以通过该目录中的package.json更改目录的主文件(即index.js)。像这样:{main:'./lib/my-custom-main-file.js'}

–抗毒
2012年10月2日,21:11

#2 楼

我建议使用glob来完成该任务。

var glob = require( 'glob' )
  , path = require( 'path' );

glob.sync( './routes/**/*.js' ).forEach( function( file ) {
  require( path.resolve( file ) );
});


评论


每个人都应该使用这个答案;)

–杰米·赫特伯(Jamie Hutber)
15年7月5日在12:16

最佳答案!比所有其他选项都更容易,尤其是对于具有需要包含文件的递归子文件夹而言。

– ngDeveloper
15年7月8日在18:36

由于对您可以指定的文件规范标准具有总体控制权,因此建议进行遍历。

– stephenwil
2015年9月10日在9:05

球?您的意思是nodejs竞赛的全球救星。最佳答案。

–深度元素
17年4月21日在16:30

使用map()保存链接:const route = glob.sync('./ routes / ** / *。js')。map(file => require(path.resolve(file)));

–lexa-b
18年3月2日在13:59

#3 楼

基于@tbranyen的解决方案,我创建了一个index.js文件,该文件在exports的一部分下加载当前文件夹下的任意javascript。

// Load `*.js` under current directory as properties
//  i.e., `User.js` will become `exports['User']` or `exports.User`
require('fs').readdirSync(__dirname + '/').forEach(function(file) {
  if (file.match(/\.js$/) !== null && file !== 'index.js') {
    var name = file.replace('.js', '');
    exports[name] = require('./' + file);
  }
});


然后您可以从其他任何地方require此目录。

评论


我知道这已经一年多了,但是实际上您也可以要求使用JSON文件,因此也许最好使用/\.js(on)?$/之类的东西。还不是!== null多余吗?

–user3117575
2015年8月4日在20:57



#4 楼

另一个选择是使用包require-dir,让您执行以下操作。它也支持递归。

var requireDir = require('require-dir');
var dir = requireDir('./path/to/dir');


评论


+1代表require-dir,因为它会自动排除调用文件(索引),并且默认为当前目录。完善。

–生物分形
2015年3月5日,9:15

在npm中,还有一些其他类似的软件包:require-all,require-directory,require-dir等。至少在2015年7月,下载次数最多的游戏似乎都是必需品。

– Mnebuerquo
15年7月25日在14:48

现在,require-dir是下载次数最多的文件(但值得注意的是,在撰写本文时,它不支持文件排除)

–塞恩·安德森(Sean Anderson)
2015年12月9日在17:50

在肖恩发表上述评论的三年后,require-dir添加了一个过滤器选项。

– givemesnacks
19-10-12的16:33

#5 楼

我有一个文件夹/ fields,里面装满了每个文件都只有一个类的文件,例如: >
fields/Text.js -> Test class
fields/Checkbox.js -> Checkbox class


这使模块的行为像在Python中一样:

var collectExports, fs, path,
  __hasProp = {}.hasOwnProperty;

fs = require('fs');    
path = require('path');

collectExports = function(file) {
  var func, include, _results;

  if (path.extname(file) === '.js' && file !== 'index.js') {
    include = require('./' + file);
    _results = [];
    for (func in include) {
      if (!__hasProp.call(include, func)) continue;
      _results.push(exports[func] = include[func]);
    }
    return _results;
  }
};

fs.readdirSync('./fields/').forEach(collectExports);


#6 楼

还有一个选项是大多数流行软件包中的require-dir-all组合功能。

最流行的require-dir没有过滤文件/目录的选项,并且没有map功能(请参阅下文),但是查找模块当前路径的一个小技巧。

其次,require-all具有正则表达式过滤和预处理功能,但是缺少相对路径,因此您需要使用__dirname(这有优缺点),例如:
var libs = require('require-all')(__dirname + '/lib');


这里提到的require-index是相当简单的。 :

// Store config for each module in config object properties 
// with property names corresponding to module names 
var config = {
  module1: { value: 'config1' },
  module2: { value: 'config2' }
};

// Require all files in modules subdirectory 
var modules = require('require-dir-all')(
  'modules', // Directory to require 
  { // Options 
    // function to be post-processed over exported object for each require'd module 
    map: function(reqModule) {
      // create new object with corresponding config passed to constructor 
      reqModule.exports = new reqModule.exports( config[reqModule.name] );
    }
  }
);

// Now `modules` object holds not exported constructors, 
// but objects constructed using values provided in `config`.


#7 楼

我知道这个问题已有5年以上的历史了,给出的答案是好的,但是我想要表达更强大的东西,所以我为npm创建了express-map2软件包。我本来只是将其命名为express-map,但是yahoo上的人们已经有了一个使用该名称的软件包,因此我不得不重命名我的软件包。

1。基本用法:

app.js (or whatever you call it)

var app = require('express'); // 1. include express

app.set('controllers',__dirname+'/controllers/');// 2. set path to your controllers.

require('express-map2')(app); // 3. patch map() into express

app.map({
    'GET /':'test',
    'GET /foo':'middleware.foo,test',
    'GET /bar':'middleware.bar,test'// seperate your handlers with a comma. 
});


控制器用法:

//single function
module.exports = function(req,res){

};

//export an object with multiple functions.
module.exports = {

    foo: function(req,res){

    },

    bar: function(req,res){

    }

};


2。如前所述,高级用法,带有前缀: 。它支持表示支持的所有HTTP动词以及特殊的.all()方法。


npm软件包:https://www.npmjs.com/package/express-map2

github仓库:https://github.com/r3wt/express-map



#8 楼

我一直在这个确切用例中使用的一个模块是require-all。

它递归地要求给定目录及其子目录中的所有文件,只要它们与excludeDirs属性不匹配。 br />
它还允许指定文件过滤器,以及如何从文件名导出返回的哈希的键。

#9 楼

扩展此glob解决方案。如果要将目录中的所有模块导入index.js,然后将该index.js导入应用程序的另一部分,请执行此操作。请注意,stackoverflow使用的突出显示引擎不支持模板文字,因此此处的代码可能看起来很奇怪。

const glob = require("glob");

let allOfThem = {};
glob.sync(`${__dirname}/*.js`).forEach((file) => {
  /* see note about this in example below */
  allOfThem = { ...allOfThem, ...require(file) };
});
module.exports = allOfThem;


完整示例

目录结构

globExample/example.js
globExample/foobars/index.js
globExample/foobars/unexpected.js
globExample/foobars/barit.js
globExample/foobars/fooit.js


globExample / example.js

const { foo, bar, keepit } = require('./foobars/index');
const longStyle = require('./foobars/index');

console.log(foo()); // foo ran
console.log(bar()); // bar ran
console.log(keepit()); // keepit ran unexpected

console.log(longStyle.foo()); // foo ran
console.log(longStyle.bar()); // bar ran
console.log(longStyle.keepit()); // keepit ran unexpected


globExample / foobars / index.js

const glob = require("glob");
/*
Note the following style also works with multiple exports per file (barit.js example)
but will overwrite if you have 2 exports with the same
name (unexpected.js and barit.js have a keepit function) in the files being imported. As a result, this method is best used when
your exporting one module per file and use the filename to easily identify what is in it.

Also Note: This ignores itself (index.js) by default to prevent infinite loop.
*/

let allOfThem = {};
glob.sync(`${__dirname}/*.js`).forEach((file) => {
  allOfThem = { ...allOfThem, ...require(file) };
});

module.exports = allOfThem;


globExample / foobars / unexpected.js

exports.keepit = () => 'keepit ran unexpected';


globExample / foobars / barit.js

exports.bar = () => 'bar run';

exports.keepit = () => 'keepit ran';


globExample / foobars / fooit.js

exports.foo = () => 'foo ran';


从安装了glob的项目内部,运行node example.js

$ node example.js
foo ran
bar run
keepit ran unexpected
foo ran
bar run
keepit ran unexpected


#10 楼

我正在使用节点模块复制到模块来创建一个文件,以要求基于NodeJS的系统中的所有文件。

我们的实用程序文件的代码如下所示:

/**
 * Module dependencies.
 */

var copy = require('copy-to');
copy(require('./module1'))
.and(require('./module2'))
.and(require('./module3'))
.to(module.exports);


在所有文件中,大多数函数都是作为导出编写的,就像这样:

exports.function1 = function () { // function contents };
exports.function2 = function () { // function contents };
exports.function3 = function () { // function contents };


因此,然后使用文件中的任何函数,您只需调用:

var utility = require('./utility');

var response = utility.function2(); // or whatever the name of the function is


#11 楼

需要routes文件夹中的所有文件,并作为中间件应用。无需外部模块。

// require
const path = require("path");
const { readdirSync } = require("fs");

// apply as middleware
readdirSync("./routes").map((r) => app.use("/api", require("./routes/" + r)));


#12 楼

可以使用:https://www.npmjs.com/package/require-file-directory


仅需要选择具有名称或所有名称的文件。
不需要绝对路径。
易于理解和使用。


评论


欢迎来到SO。请阅读此操作指南以提供优质的答案。

–前进的道路
17年5月25日在8:03

#13 楼

使用此功能,您可能需要一个完整的目录。

const GetAllModules = ( dirname ) => {
    if ( dirname ) {
        let dirItems = require( "fs" ).readdirSync( dirname );
        return dirItems.reduce( ( acc, value, index ) => {
            if ( PATH.extname( value ) == ".js" && value.toLowerCase() != "index.js" ) {
                let moduleName = value.replace( /.js/g, '' );
                acc[ moduleName ] = require( `${dirname}/${moduleName}` );
            }
            return acc;
        }, {} );
    }
}

// calling this function.

let dirModules = GetAllModules(__dirname);


#14 楼

如果在目录示例(“ app / lib / *。js”)中包含* .js的所有文件:

在app / lib目录中

example.js:

module.exports = function (example) { }


example-2.js:

module.exports = function (example2) { }


在目录应用中创建index.js

index.js:

module.exports = require('./app/lib');