How do I export an array with module.exports in no

2020-07-10 08:13发布

I have a project using node.js. It's my first time using nodejs and I want to export an array to my app. Here is some code:

module.exports = { 
    var arrays = [];
    arrays[0] = 'array 0';
    arrays[1] = 'array 1';
    arrays[2] = 'array 2';
    arrays[3] = 'array 3';
    arrays[4] = 'array 4';
    var r_array = arrays[Math.floor(Math.random() * arrays.length)].toString();
}

At the end I want to use the var r_array in my app.js but I don't know how.

3条回答
ゆ 、 Hurt°
2楼-- · 2020-07-10 08:41

module.exports needs to be an object.

Perhaps you're looking for something more like:

var arrays = [];
arrays[0] = 'array 0';
arrays[1] = 'array 1';
arrays[2] = 'array 2';
arrays[3] = 'array 3';
arrays[4] = 'array 4';
var r_array = arrays[Math.floor(Math.random()*arrays.length)].toString();

module.exports = r_array;

Please note that this code will only be run once, and that if you're hoping to get a different random value by executing the code multiple times, that you may want to set it up more like:

module.exports = function() {
  return arrays[Math.floor(Math.random()*arrays.length)];
}

so that the Math.random() operation happens over and over.

查看更多
爷的心禁止访问
3楼-- · 2020-07-10 08:47
var arrays = [];
arrays[0] = 'array 0';
arrays[1] = 'array 1';
arrays[2] = 'array 2';
arrays[3] = 'array 3';
arrays[4] = 'array 4';
var r_array = arrays[Math.floor(Math.random()*arrays.length)].toString();
module.exports = r_array;
查看更多
ゆ 、 Hurt°
4楼-- · 2020-07-10 08:59

You'd want to define a function which returns the randomized portion of the array:

module.exports = {
  getRArray: function() {
    var arrays = [];
    arrays[0] = 'array 0';
    arrays[1] = 'array 1';
    arrays[2] = 'array 2';
    arrays[3] = 'array 3';
    arrays[4] = 'array 4';
    return arrays[Math.floor(Math.random()*arrays.length)];
  }
};

Also you should embed the array into the function so it actually returns something.

查看更多
登录 后发表回答