node.jsのフォルダー内のすべてのファイルを要求するにはどうすればよいですか?
次のようなものが必要です:
files.forEach(function (v,k){
// require routes
require('./routes/'+v);
}};
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
require
は:フォルダーのパスを指定すると、そのフォルダー内でが検索されindex.js
ます。存在する場合はそれを使用し、存在しない場合は失敗します。参照してくださいgithub.com/christkv/node-mongodb-nativeこの現実世界の例:ありますindex.js
必要がルートディレクトリに./lib/mongodb
、ディレクトリを。./lib/mongodb/index.js'
そのディレクトリ内の他のすべてを使用可能にします。
require
は同期関数であるため、コールバックによるメリットはありません。代わりにfs.readdirSyncを使用します。
package.json
このディレクトリで変更できます。このように:{main: './lib/my-custom-main-file.js'}
そのタスクを実行するには、グロブを使用することをお勧めします。
var glob = require( 'glob' )
, path = require( 'path' );
glob.sync( './routes/**/*.js' ).forEach( function( file ) {
require( path.resolve( file ) );
});
glob
?つまりglob-savior-of-the-nodejs-race
。ベストアンサー。
@tbranyenのソリューションにindex.js
基づいて、の一部として現在のフォルダーの下に任意のJavaScriptをロードするファイルを作成しますexports
。
// 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');
require-dir
は、呼び出しファイル(インデックス)を自動的に除外し、デフォルトで現在のディレクトリを使用するためです。完璧です。
require-dir
、filter
オプションを追加しました。
私はそれぞれ単一のクラスを持つファイルでいっぱいのフォルダ/ fieldsを持っています、例:
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`.
私はこの質問が5年以上前であり、与えられた答えは良いことを知っていますが、私はExpressにもう少し強力なものが欲しかったのでexpress-map2
、npm のパッケージを作成しました。私は単純に名前を付けるつもりでし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()
メソッドをサポートします。
この正確なユースケースで使用してきた1つのモジュールはrequire-allです。
excludeDirs
プロパティに一致しない限り、特定のディレクトリとそのサブディレクトリにあるすべてのファイルが再帰的に必要になります。
また、ファイルフィルターと、ファイル名から返されるハッシュのキーを取得する方法を指定することもできます。
ノードモジュールのコピー先モジュールを使用しています当社NodeJSベースのシステム内のすべてのファイルを必要とする1つのファイルを作成します。
ユーティリティファイルのコードは次のようになります。
/**
* 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
この 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
この関数を使用すると、ディレクトリ全体を要求できます。
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);
* .jsのすべてのファイルをディレクトリの例( "app / lib / *。js")に含める場合:
example.js:
module.exports = function (example) { }
example-2.js:
module.exports = function (example2) { }
index.js:
module.exports = require('./app/lib');
var routes = require('auto-load')('routes');
新しいauto-load
モジュール [私はそれを作成するのを手伝った]。