在Node.js中声明多个module.exports

时间:2013-05-19 03:07:47

标签: node.js module

我想要实现的是创建一个包含多个功能的模块。

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

我遇到的问题是firstParam是一个对象类型而secondParam是一个URL字符串,但是当我有这个时,它总是抱怨类型错误。

在这种情况下如何声明多个module.exports?

17 个答案:

答案 0 :(得分:391)

您可以执行以下操作:

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

甚至只是:

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

然后在调用程序中:

var MyMethods = require('./myModule.js');
var method = MyMethods.method;
var otherMethod = MyMethods.otherMethod;

答案 1 :(得分:93)

要导出多个功能,您只需按以下方式列出:

module.exports = {
   function1,
   function2,
   function3
}

然后在另一个文件中访问它们:

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

然后你可以通过调用:

来调用每个函数
myFunctions.function1
myFunctions.function2
myFunctions.function3

答案 2 :(得分:29)

除@mash回答外,我建议您始终执行以下操作:

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

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

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

请注意:

  • 您可以从method致电otherMethod,您将需要这么多
  • 您可以在需要时快速将方法隐藏为私有
  • 大多数IDE都可以更轻松地理解和自动填充代码;)
  • 您也可以使用相同的技术进行导入:

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

答案 3 :(得分:15)

这仅供我参考,因为我想要实现的目标可以通过此完成。

module.js

我们可以做这样的事情

    module.exports = function ( firstArg, secondArg ) {

    function firstFunction ( ) { ... }

    function secondFunction ( ) { ... }

    function thirdFunction ( ) { ... }

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

    }

main.js

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

答案 4 :(得分:6)

您可以编写一个在其他函数之间手动委派的函数:

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

答案 5 :(得分:6)

如果使用ES6导出编写文件,您可以写:

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

答案 6 :(得分:6)

您可以这样做的一种方法是在模块中创建一个新对象,而不是替换它。

例如:

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

并致电

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

答案 7 :(得分:4)

使用此

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

  }
  exports.yourMethod2 =  function (success)
  {

  }


})();

答案 8 :(得分:3)

您也可以这样导出

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

或 像这样的匿名功能

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

答案 9 :(得分:2)

两种类型的模块导入和导出。

类型1(module.js):

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

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

类型1(main.js):

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

类型2(module.js):

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

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

类型2(main.js):

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

如何使用导入模块?

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

答案 10 :(得分:1)

module.js:

const foo = function(firstParam) { ... }
const bar = function(secondParam) { ... } 

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

main.js:

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

// pass your parameters
var f1 = foo(firstParam);
var f2 = bar(secondParam);

答案 11 :(得分:1)

执行此操作的方法有多种,以下提到一种方法。 只是假设您有这样的.js文件。

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

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

您可以使用以下代码段导出这些功能,

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

您可以使用此代码段使用导出的功能,

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

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

我知道这是一个较晚的答复,但希望对您有所帮助!

答案 12 :(得分: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
    };
}());

答案 13 :(得分:0)

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

答案 14 :(得分:0)

如果在模块文件而不是简单对象中声明一个类

文件: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];

主文件:index.js

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

答案 15 :(得分:0)

您也可以使用这种方法

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

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

答案 16 :(得分:0)

在此处添加帮助的人:

此代码块将帮助向cypress index.js中添加多个插件 插件-> cypress-ntlm-auth cypress env文件选择

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