如何从模块中的另一个函数中调用一个函数。出口报关吗?

app.js
var bla = require('./bla.js');
console.log(bla.bar());
bla.js
module.exports = {

  foo: function (req, res, next) {
    return ('foo');
  },

  bar: function(req, res, next) {
    this.foo();
  }

}

我试图从函数栏中访问函数foo,我得到:

TypeError: Object #没有foo方法

如果我将this.foo()更改为foo(),我得到:

引用错误:foo没有定义


当前回答

如果您这样做,您将在调用函数中丢失this对象引用。 如:

    module.exports.a = function () {
      return true
    }
    
    module.exports.b = function() {
      return this.a();
    }

这里你会遇到问题,因为当你调用this.a()时,它引用的是b函数的this对象。

要解决这个问题,你必须把this对象引用存储在某个地方或者使用箭头函数,因为箭头函数没有这个对象所以它总是引用外部的this对象

为了解决这个问题,像这样修改函数

    module.exports.a = function () {
      return true
    }
    
    module.exports.b = () => {
      return this.a();
    }

其他回答

你可以在模块外部声明你的函数。出口。

var foo = function (req, res, next) {
  return ('foo');
}

var bar = function (req, res, next) {
  return foo();
}

然后:

module.exports = {
  foo: foo,
  bar: bar
}

为了解决你的问题,我在bla.js中做了一些改变,它正在工作,

var foo= function (req, res, next) {
  console.log('inside foo');
  return ("foo");
}

var  bar= function(req, res, next) {
  this.foo();
}
module.exports = {bar,foo};

在app.js中没有任何修改

var bla = require('./bla.js');
console.log(bla.bar());

如果您这样做,您将在调用函数中丢失this对象引用。 如:

    module.exports.a = function () {
      return true
    }
    
    module.exports.b = function() {
      return this.a();
    }

这里你会遇到问题,因为当你调用this.a()时,它引用的是b函数的this对象。

要解决这个问题,你必须把this对象引用存储在某个地方或者使用箭头函数,因为箭头函数没有这个对象所以它总是引用外部的this对象

为了解决这个问题,像这样修改函数

    module.exports.a = function () {
      return true
    }
    
    module.exports.b = () => {
      return this.a();
    }

将this.foo()更改为module.exports.foo()

从Node.js版本13开始,你可以利用ES6模块。

export function foo() {
    return 'foo';
}

export function bar() {
    return foo();
}

遵循Class方法:

class MyClass {

    foo() {
        return 'foo';
    }

    bar() {
        return this.foo();
    }
}

module.exports = new MyClass();

这将只实例化类一次,因为Node的模块缓存: https://nodejs.org/api/modules.html#modules_caching