Dichiarare più module.exports in Node.js


243

Quello che sto cercando di ottenere è creare un modulo che contenga più funzioni.

module.js:

module.exports = function(firstParam) { console.log("You did it"); },
module.exports = function(secondParam) { console.log("Yes you did it"); }, 
// This may contain more functions

main.js:

var foo = require('module.js')(firstParam);
var bar = require('module.js')(secondParam);

Il problema che ho è che firstParamè un tipo di oggetto e che secondParamè una stringa URL, ma quando ho questo si lamenta sempre che il tipo è sbagliato.

Come posso dichiarare più module.exports in questo caso?


2
Mi manca chiaramente una parte fondamentale di questo paradigma perché mi fa esplodere ciò che serve per farlo funzionare.
Joshua Pinter,

Risposte:


540

Puoi fare qualcosa del tipo:

module.exports = {
    method: function() {},
    otherMethod: function() {},
};

O semplicemente:

exports.method = function() {};
exports.otherMethod = function() {};

Quindi nello script chiamante:

const myModule = require('./myModule.js');
const method = myModule.method;
const otherMethod = myModule.otherMethod;
// OR:
const {method, otherMethod} = require('./myModule.js');

25
Usa sempre module.exports = {}e non module.method = .... stackoverflow.com/a/26451885/155740
Scotty

9
Non sto usando da module.methodnessuna parte qui ... solo exports.method, che è solo un riferimento a module.exports.method, quindi si comporta allo stesso modo. L'unica differenza è che non abbiamo definito module.exports, per impostazione predefinita {}, a meno che non mi sbagli.
schiaccia il

@mash sarebbe questo lavoro in un altro file utilizzando: var otherMethod = require('module.js')(otherMethod);? Cioè, quella linea richiederebbe la otherMethodfunzione proprio come se fosse l'unica funzione sulla pagina e l'esportazione fosse stata module.exports = secondMethod;:?
YPCrumble

3
@YPCrumble che potresti fare var otherMethod = require('module.js').otherMethod.
schiaccia il

Puoi mostrare la corrispondenza richiesta nell'altro programma che andrebbe con quello?
NealWalters,

138

Per esportare più funzioni puoi semplicemente elencarle in questo modo:

module.exports = {
   function1,
   function2,
   function3
}

E poi per accedervi in ​​un altro file:

var myFunctions = require("./lib/file.js")

E quindi puoi chiamare ciascuna funzione chiamando:

myFunctions.function1
myFunctions.function2
myFunctions.function3

1
Risposta perfetta, questa risposta dovrebbe essere contrassegnata come la risposta giusta.
Vishnu Ranganathan,

Come avete usato voi ragazzi require("./lib/file.js")? Devo usare require("../../lib/file.js"), altrimenti non funzionerà.
Antonio Ooi,

11
Puoi anche farlo quando accedi ad essi: il const { function1, function2, function3 } = require("./lib/file.js")che ti consente di chiamarli direttamente (es. function1Invece di myFunctions.function1)
David Yeiser,

Questo è l'approccio più pulito e semplice!
Zeus il

42

oltre alla risposta @mash ti consiglio di fare sempre quanto segue:

const method = () => {
   // your method logic
}

const otherMethod = () => {
   // your method logic 
}

module.exports = {
    method, 
    otherMethod,
    // anotherMethod
};

Nota qui:

  • È possibile chiamare methodda otherMethode avrete bisogno di questo molto
  • Puoi nascondere rapidamente un metodo come privato quando ti serve
  • Questo è più facile per la maggior parte degli IDE per capire e completare automaticamente il codice;)
  • Puoi anche usare la stessa tecnica per l'importazione:

    const {otherMethod} = require('./myModule.js');


Si noti che questo utilizza il collegamento all'inizializzatore di oggetti es6 - developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/…
chrismarx l'

1
Questa è la risposta migliore imho in quanto si rivolge al metodo di accesso da altroMetodo. Grazie per la segnalazione.
Jeff Beagley,

15

Questo è solo per il mio riferimento in quanto ciò che stavo cercando di ottenere può essere realizzato con questo.

Nel module.js

Possiamo fare qualcosa del genere

    module.exports = function ( firstArg, secondArg ) {

    function firstFunction ( ) { ... }

    function secondFunction ( ) { ... }

    function thirdFunction ( ) { ... }

      return { firstFunction: firstFunction, secondFunction: secondFunction,
 thirdFunction: thirdFunction };

    }

Nel main.js

var name = require('module')(firstArg, secondArg);

10

module.js:

const foo = function(<params>) { ... }
const bar = function(<params>) { ... } 

//export modules
module.exports = {
    foo,
    bar 
}

main.js:

// import modules
var { foo, bar } = require('module');

// pass your parameters
var f1 = foo(<params>);
var f2 = bar(<params>);

8

Se i file vengono scritti utilizzando l'esportazione ES6, è possibile scrivere:

module.exports = {
  ...require('./foo'),
  ...require('./bar'),
};

8

Un modo per farlo è creare un nuovo oggetto nel modulo invece di sostituirlo.

per esempio:

var testone = function () {
    console.log('test one');
};
var testTwo = function () {
    console.log('test two');
};
module.exports.testOne = testOne;
module.exports.testTwo = testTwo;

e chiamare

var test = require('path_to_file').testOne:
testOne();

Questo mi è sembrato un approccio molto semplice rispetto ad altre risposte! Davvero bello
HN Singh,

6

È possibile scrivere una funzione che delega manualmente tra le altre funzioni:

module.exports = function(arg) {
    if(arg instanceof String) {
         return doStringThing.apply(this, arguments);
    }else{
         return doObjectThing.apply(this, arguments);
    }
};

Questo è un modo per ottenere il sovraccarico delle funzioni, ma non è molto ... elegante. Penso che la risposta di Mash sia più pulita e mostri meglio l'intenzione.
Nepoxx,

5

Usa questo

(function()
{
  var exports = module.exports = {};
  exports.yourMethod =  function (success)
  {

  }
  exports.yourMethod2 =  function (success)
  {

  }


})();

3

Importazione ed esportazione di due tipi di moduli.

tipo 1 (module.js):

// module like a webpack config
const development = {
  // ...
};
const production = {
  // ...
};

// export multi
module.exports = [development, production];
// export single
// module.exports = development;

tipo 1 (main.js):

// import module like a webpack config
const { development, production } = require("./path/to/module");

tipo 2 (module.js):

// module function no param
const module1 = () => {
  // ...
};
// module function with param
const module2 = (param1, param2) => {
  // ...
};

// export module
module.exports = {
  module1,
  module2
}

tipo 2 (main.js):

// import module function
const { module1, module2 } = require("./path/to/module");

Come utilizzare il modulo di importazione?

const importModule = {
  ...development,
  // ...production,
  // ...module1,
  ...module2("param1", "param2"),
};

3

inoltre puoi esportarlo in questo modo

const func1 = function (){some code here}
const func2 = function (){some code here}
exports.func1 = func1;
exports.func2 = func2;

o per funzioni anonime come questa

    const func1 = ()=>{some code here}
    const func2 = ()=>{some code here}
    exports.func1 = func1;
    exports.func2 = func2;

2

module1.js:

var myFunctions = { 
    myfunc1:function(){
    },
    myfunc2:function(){
    },
    myfunc3:function(){
    },
}
module.exports=myFunctions;

main.js

var myModule = require('./module1');
myModule.myfunc1(); //calling myfunc1 from module
myModule.myfunc2(); //calling myfunc2 from module
myModule.myfunc3(); //calling myfunc3 from module

2

Esistono diversi modi per farlo, un modo è menzionato di seguito. Supponi di avere un file .js come questo.

let add = function (a, b) {
   console.log(a + b);
};

let sub = function (a, b) {
   console.log(a - b);
};

Puoi esportare queste funzioni utilizzando il seguente frammento di codice,

 module.exports.add = add;
 module.exports.sub = sub;

E puoi utilizzare le funzioni esportate usando questo snippet di codice,

var add = require('./counter').add;
var sub = require('./counter').sub;

add(1,2);
sub(1,2);

So che questa è una risposta tardiva, ma spero che questo aiuti!


0
module.exports = (function () {
    'use strict';

    var foo = function () {
        return {
            public_method: function () {}
        };
    };

    var bar = function () {
        return {
            public_method: function () {}
        };
    };

    return {
        module_a: foo,
        module_b: bar
    };
}());

0

Se si dichiara una classe nel file del modulo anziché nell'oggetto semplice

File: UserModule.js

//User Module    
class User {
  constructor(){
    //enter code here
  }
  create(params){
    //enter code here
  }
}
class UserInfo {
  constructor(){
    //enter code here
  }
  getUser(userId){
    //enter code here
    return user;
  }
}

// export multi
module.exports = [User, UserInfo];

File principale: index.js

// import module like
const { User, UserInfo } = require("./path/to/UserModule");
User.create(params);
UserInfo.getUser(userId);

0

Puoi usare anche questo approccio

module.exports.func1 = ...
module.exports.func2 = ...

o

exports.func1 = ...
exports.func2 = ...

0

Aggiungendo qui per aiutare qualcuno:

questo blocco di codice aiuterà ad aggiungere più plugin nei plug-in cypress index.js -> cypress-ntlm-auth e cypress env file selection

const ntlmAuth = require('cypress-ntlm-auth/dist/plugin');
const fs = require('fs-extra');
const path = require('path');

const getConfigurationByFile = async (config) => {
  const file = config.env.configFile || 'dev';
  const pathToConfigFile = path.resolve(
    '../Cypress/cypress/',
    'config',
    `${file}.json`
  );
  console.log('pathToConfigFile' + pathToConfigFile);
  return fs.readJson(pathToConfigFile);
};

module.exports = async (on, config) => {
  config = await getConfigurationByFile(config);
  await ntlmAuth.initNtlmAuth(config);
  return config;
};
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.