node.js에 폴더의 모든 파일이 필요합니까?
node.js의 폴더에 있는 모든 파일을 어떻게 요구합니까?
다음과 같은 것이 필요합니다.
files.forEach(function (v,k){
// require routes
require('./routes/'+v);
}};
required에 폴더 경로가 지정되면 해당 폴더에서 index.js 파일을 찾습니다. 파일이 있으면 해당 파일을 사용하고, 없으면 실패합니다.
(폴더를 제어할 수 있는 경우) index.js 파일을 만든 다음 모든 "modules"를 할당하고 이를 요구하는 것이 가장 합리적일 것입니다.
당신의 파일.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의 솔루션을 기반으로, 저는 다음을 만듭니다.index.js
의 일부로 현재 폴더 아래에 임의의 자바스크립트를 로드하는 파일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');
각 클래스가 하나씩 있는 파일로 가득 찬 폴더/필드가 있습니다. 예:
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()
또 다른 옵션은 대부분의 일반적인 패키지의 기능을 모두 결합하는 것입니다.
가장 인기 있는require-dir
파일/스캐너를 필터링할 수 있는 옵션이 없습니다.map
함수(아래 참조). 그러나 작은 트릭을 사용하여 모듈의 현재 경로를 찾습니다.
인기 2위require-all
regexp 필터링 및 전처리 기능이 있지만 상대 경로가 부족하므로 를 사용해야 합니다.__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-map2
npm을 위한 패키지.간단하게 이름을 지을 생각이었습니다.express-map
하지만 야후 사람들은 이미 그 이름을 가진 패키지를 가지고 있어서, 나는 내 패키지의 이름을 바꿔야 했습니다.
기본 사용:
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){
}
};
고급 사용(접두사 포함):
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
});
보시다시피 이렇게 하면 많은 시간이 절약되고 응용프로그램을 쉽게 작성, 유지관리 및 이해할 수 있습니다.특별한 것뿐만 아니라 지원을 표현하는 모든 http 동사를 지원합니다..all()
방법.
- npm 패키지: https://www.npmjs.com/package/express-map2
- github repo: https://github.com/r3wt/express-map
이에 대한 확장 glob
해결책디렉토리에서 모든 모듈을 다음으로 가져오려면 이 작업을 수행합니다.index.js
그런 다음 그것을 가져옵니다.index.js
응용 프로그램의 다른 부분에서.템플릿 리터럴은 스택 오버플로에 사용되는 강조 표시 엔진에서 지원되지 않으므로 코드가 여기서 이상하게 보일 수 있습니다.
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
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
글로벌 예제/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;
글로벌 예제/foobars/예상치 못한 항목입니다.제이에스
exports.keepit = () => 'keepit ran unexpected';
글로벌 예제/foobars/barit.js
exports.bar = () => 'bar run';
exports.keepit = () => 'keepit ran';
글로벌 예제/foobars/foot.제이에스
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
제가 이 정확한 사용 사례를 위해 사용해 온 한 모듈은 require-all입니다.
한 합니다.excludeDirs
소유물.
또한 파일 필터를 지정하고 파일 이름에서 반환된 해시의 키를 가져오는 방법을 지정할 수 있습니다.
의 파일 :routes
폴더를 만들고 미들웨어로 적용합니다.외부 모듈이 필요하지 않습니다.
// require
const { readdirSync } = require("fs");
// apply as middleware
readdirSync("./routes").map((r) => app.use("/api", require("./routes/" + r)));
노드 모듈 복사 모듈을 사용하여 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
사용 가능: https://www.npmjs.com/package/require-file-directory
- 이름만 있는 선택한 파일 또는 모든 파일이 필요합니다.
- 절대 경로가 필요 없습니다.
- 이해하고 사용하기 쉽습니다.
이 기능을 사용하면 전체 DIR이 필요할 수 있습니다.
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);
다음 코드를 사용하여 폴더에 index.js 파일을 만듭니다.
const fs = require('fs')
const files = fs.readdirSync('./routes')
for (const file of files) {
require('./'+file)
}
그런 다음 모든 폴더를 로드할 수 있습니다.require("./routes")
디렉토리 예제("app/lib/*.js")에 *.js의 모든 파일을 포함하는 경우:
디렉터리 app/lib
예.js:
module.exports = function (example) { }
예-2.js:
module.exports = function (example2) { }
디렉터리 앱에서 index.js를 생성합니다.
index.js:
module.exports = require('./app/lib');
언급URL : https://stackoverflow.com/questions/5364928/node-js-require-all-files-in-a-folder
'programing' 카테고리의 다른 글
문자열에 목록의 요소가 포함되어 있는지 확인합니다. (0) | 2023.05.29 |
---|---|
Xcode의 기본 헤더 주석 라이센스 변경 (0) | 2023.05.29 |
판다 데이터 프레임의 특정 행을 인쇄하는 방법은 무엇입니까? (0) | 2023.05.29 |
예기치 않게 끝나는 URL에 대해 요청 형식을 인식할 수 없습니다. (0) | 2023.05.24 |
가 비어 있는지 확인하는 방법은 무엇입니까? (앵글 2+에서 지금까지) (0) | 2023.05.24 |