どのようにしてnode.js内のフォルダー内のすべてのファイルを要求するのですか?
のようなものが必要です:
files.forEach(function (v,k){
// require routes
require('./routes/'+v);
}};
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
そのためには glob を使うことをお勧めします。
var glob = require( 'glob' )
, path = require( 'path' );
glob.sync( './routes/**/*.js' ).forEach( function( file ) {
require( path.resolve( file ) );
});
@ tbranyenの解決策に基づいて、現在のフォルダーの下に任意のJavaScriptをexports
の一部としてロードするindex.js
ファイルを作成します。
// 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
することができます。
別の選択肢は、パッケージ require-dir を使うことです。再帰もサポートしています。
var requireDir = require('require-dir');
var dir = requireDir('./path/to/dir');
それぞれ1つのクラスを持つファイルでいっぱいのフォルダ/フィールドがあります。
fields/Text.js -> Test class
fields/Checkbox.js -> Checkbox class
各クラスをエクスポートするには、これをfields/index.jsにドロップします。
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);
これにより、モジュールはPythonと同じように動作します。
var text = new Fields.Text()
var checkbox = new Fields.Checkbox()
もう1つの選択肢は、 require-dir-all 最も人気のあるパッケージの機能を組み合わせることです。
最も人気のあるrequire-dir
はファイル/ディレクトリをフィルタするオプションを持たず、map
関数を持ちません(下記参照)が、モジュールの現在のパスを見つけるためにちょっとしたトリックを使います。
2番目に人気があるrequire-all
には正規表現によるフィルタリングと前処理がありますが、相対パスがないため、__dirname
を使用する必要があります(これには長所と短所があります)。
var libs = require('require-all')(__dirname + '/lib');
ここで言及されているrequire-index
は非常にミニマルです。
map
を使用すると、オブジェクトの作成や設定値の受け渡しなど、いくつかの前処理を行うことができます(以下のモジュールがコンストラクタをエクスポートすると仮定して)。
// 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`.
私がこの正確なユースケースのために使用してきた1つのモジュールは require-all です。
excludeDirs
プロパティにマッチしない限り、与えられたディレクトリとそのサブディレクトリにあるすべてのファイルを再帰的に要求します。
ファイルフィルタを指定し、ファイル名から返されたハッシュのキーを取得する方法も指定できます。
私はこの質問が5年以上前のものであることを知っています、そして与えられた答えは良いですが、私はexpress用にもう少し強力なものが欲しいので、私は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。接頭辞付きの高度な使い方:
app.map('/api/v1/books',{
'GET /': 'books.list', // GET /api/v1/books
'GET /:id': 'books.loadOne', // GET /api/v1/books/5
'DELETE /:id': 'books.delete', // DELETE /api/v1/books/5
'PUT /:id': 'books.update', // PUT /api/v1/books/5
'POST /': 'books.create' // POST /api/v1/books
});
ご覧のとおり、これによって時間が大幅に節約され、アプリケーションのルーティングを簡単に記述、保守、および理解することができます。これはexpressがサポートするすべてのhttp動詞と、特別な.all()
メソッドをサポートします。
NodeJSベースのシステム内のすべてのファイルを必要とする単一のファイルを作成するために、 node modules copy-to module を使用しています。
私たちのユーティリティファイル のコードは次のようになります。
/**
* 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
使用できます。 https://www.npmjs.com/package/require-file-directory