导出模块而不命名

时间:2019-01-07 12:03:37

标签: node.js

我正在尝试在nodejs中创建一个转换模块,该模块将xml文件转换为js对象。

这是我的xml文件:

<?xml version="1.0" encoding="utf-8"?>
<translation>
    <title>This is a title</title>
</translation>

这是我的模块:

const xmlJS = require('xml-js');
const fs = require('fs');
let translation = '';

// convert xml to json to js object
fs.readFile( './translation.xml', function(err, data) {
if (err) throw err;

  let convert = xmlJS.xml2json(data, {compact: true, spaces: 2});
  let parse = JSON.parse(convert).translation;
  translation = parse.en;
});

// wait until export, i have to do this cuz converting xml take like 1sec on my computer,
// so if i'm not waiting before the export my module will return me a blank object.
function canIExport() {
  if (translation === '') {
    setTimeout(() => {
      canIExport();
    }, 500);
  } else {
    exports.translation = translation;
  }
}
canIExport();

在我的app.js中:

const translation = require('./translation');

这是我的问题,当我尝试在我的translation对象中调用一些文本时 我必须做类似translation.translation.title._text的事情。 我必须做translation.translation,因为我的exports.translation = translation将我的var放在翻译的子对象中(有点像Inception)。

那么如何避免这种情况,而只做translation.title._text之类的事情呢?

1 个答案:

答案 0 :(得分:2)

这是XY问题。导出对象的异步修改是一种反模式。这将导致比赛条件。

模块导出应该完全同步:

const fs = require('fs');

const data = fs.readFileSync( './translation.xml');
...
module.exports = translation;

或者模块应该导出promise:

const fs = require('fs').promises;

module.exports = fs.readFile( './translation.xml')
.then(data => ...);

并且可以这样使用:

const translationPromise = require('./translation');

translationPromise.then(translation => ...);