以前我是这样使用的:

Opening Maxmind db in Nodejs

现在,按照node 10更新模块。
因此,需要帮助来集成它。

reference

const maxmind = require('maxmind');
exports.getIsoCountry = function(pIpAddress) {

  modules.debugLog('inside getIsoCountry : ',pIpAddress);

  maxmind.open(sGlAppVariable.maxmindDbPath)
  .then(function(lookup) {
    var ipData = lookup.get(pIpAddress);
    //console.log(ipData);
    console.log('iso_code',ipData.country.iso_code);
    return ipData.country.iso_code;
  });

}


console.log(getIsoCountry('66.6.44.4'));它应该打印国家代码。但是它总是undefined。因为这是一个承诺。

如何调用此getIsoCountry函数?

任何帮助将不胜感激。

最佳答案

您需要等待执行完成,为此,您应该使用Promise

如下修改您的代码,然后它应该可以工作:

const maxmind = require('maxmind');
exports.getIsoCountry = function(pIpAddress) {
  return new Promise((resolve, reject) => {
    modules.debugLog('inside getIsoCountry : ',pIpAddress);
      maxmind.open(sGlAppVariable.maxmindDbPath)
      .then(function(lookup) {
        var ipData = lookup.get(pIpAddress);
        console.log('iso_code',ipData.country.iso_code);
        resolve(ipData.country.iso_code);
      });
  });
}

getIsoCountry("66.6.44.4").then((rData) => {
  console.log(rData)
});


下面是示例代码:



var getIsoCountry = function(pIpAddress) {

  return maxmind().then(function() {
       return "Code for IP: " + pIpAddress;
    });

  function maxmind() {
    return new Promise((resolve, reject) => {
      resolve("done")
    });
  }

}

getIsoCountry("1.1.1.1").then((data) => {
  console.log(data)
});

07-26 02:33