node.js는 폴더에 모든 파일이 필요합니까?


답변:


515

폴더 경로가 필요하면 해당 폴더에서 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

152
설명을 추가하려면 : require폴더의 경로가 주어지면 index.js해당 폴더에서를 찾습니다 . 존재하는 경우이를 사용하고 존재하지 않는 경우 실패합니다. 실제 예는 github.com/christkv/node-mongodb-native 를 참조하십시오 index.js. 루트 디렉토리에는 디렉토리가 필요합니다 ./lib/mongodb. ./lib/mongodb/index.js'해당 디렉토리의 다른 모든 것을 사용 가능하게합니다.
Trevor Burnham

22
require는 동기 함수이므로 콜백의 이점은 없습니다. 대신 fs.readdirSync를 사용합니다.
Rafał Sobota

4
고마워, 오늘이 같은 문제에 부딪쳐서 "왜 require ( './ routes / *')가 없습니까?"
Richard Clayton

3
@RobertMartin 내 보낸 것에 핸들이 필요하지 않을 때 유용합니다. 예를 들어 Express 앱 인스턴스를 경로를 바인딩하는 파일 세트에 전달하려는 경우가 있습니다.
Richard Clayton

2
@TrevorBurnham 추가하여 디렉토리의 기본 파일 (예 : index.js) 파일을 package.json이 디렉토리에서 변경할 수 있습니다 . 그래서처럼{main: './lib/my-custom-main-file.js'}
항독소의

187

해당 작업을 수행하기 위해 glob 를 사용하는 것이 좋습니다 .

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

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


2
최고의 답변! 다른 모든 옵션보다, 특히 포함해야하는 파일이있는 재귀 하위 폴더의 경우 더 쉽습니다.
ngDeveloper

1
지정할 수있는 파일 사양 기준 세트에 대한 전반적인 제어로 인해 글 로빙을 권장합니다.
stephenwil

6
glob? 당신은 의미 glob-savior-of-the-nodejs-race합니다. 가장 좋은 답변입니다.
deepelement

3
링크 저장에 map ()을 사용하십시오. const route = glob.sync ( './ routes / ** / *. js'). map (file => require (path.resolve (file)));
lexa-b

71

@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다른 곳에서이 디렉토리 를 사용할 수 있습니다 .


5
나는 이것이 1 년 이상 된 것을 알고 있지만 실제로 JSON 파일도 필요할 수 있으므로 아마도 /\.js(on)?$/더 좋을 것입니다. 또한 !== null중복 되지 않습니까?

59

또 다른 옵션은 require-dir 패키지를 사용 하여 다음을 수행하도록하는 것입니다. 재귀도 지원합니다.

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

3
+1 require-dir은 호출 파일 (인덱스)을 자동으로 제외하고 현재 디렉토리를 기본값으로 하기 때문에 +1입니다 . 완전한.
biofractal

2
npm에는 require-all, require-directory, require-dir 등의 몇 가지 유사한 패키지가 있습니다. 가장 많이 다운로드 된 것은 최소한 2015 년 7 월에 모두 필요한 것 같습니다.
Mnebuerquo

require-dir이 이제 가장 많이 다운로드됩니다 (그러나 글을 쓸 때 파일 제외를 지원하지 않습니다)
Sean Anderson

Sean의 의견에 대한 3 년 후 옵션이 require-dir추가되었습니다 filter.
givemesnacks

7

단일 클래스가있는 파일로 가득 찬 폴더 / 필드가 있습니다.

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);

이를 통해 모듈은 파이썬에서와 같이 더 작동합니다.

var text = new Fields.Text()
var checkbox = new Fields.Checkbox()

6

또 다른 옵션은 가장 많이 사용되는 패키지의 기능을 필요로하는 모든 기능을 결합한 것입니다.

가장 인기있는 require-dir파일 / 디렉토리를 필터링하는 옵션이 없으며 map기능 이 없지만 (아래 참조) 작은 트릭을 사용하여 모듈의 현재 경로를 찾습니다.

두 번째로 인기 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

나는이 질문이 5 세 이상이고 주어진 답변이 훌륭하다는 것을 알고 있지만 표현을 위해 조금 더 강력한 것을 원했기 때문에 express-map2npm 용 패키지를 만들었습니다 . 간단히 이름을 지정하려고 express-map했지만 야후 의 사람들 은 이미 해당 이름의 패키지를 가지고 있으므로 패키지 이름을 바꿔야했습니다.

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
});

보시다시피, 이것은 많은 시간을 절약하고 응용 프로그램 라우팅을 작성, 유지 관리 및 이해하기 간단하게 만듭니다. 지원을 표현하는 모든 http 동사와 특수 .all()메소드를 지원합니다 .


3

이 정확한 사용 사례에 사용한 모듈 중 하나는 require-all 입니다.

주어진 디렉토리와 그 하위 디렉토리에있는 모든 파일이 excludeDirs속성 과 일치하지 않는 한 재귀 적으로 필요합니다 .

또한 파일 필터를 지정하고 파일 이름에서 반환 된 해시의 키를 파생시키는 방법을 지정할 수 있습니다.


2

내가 사용하고 노드 모듈은 복사에 모듈 우리의 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

2

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


1

routes폴더의 모든 파일이 필요하고 미들웨어로 적용하십시오. 외부 모듈이 필요하지 않습니다.

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

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

0

이 기능을 사용하면 전체 디렉토리가 필요할 수 있습니다.

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);

-2

디렉토리 예 ( "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');
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.