0

我的应用程序有一个首选项列表,存储在 JSON 文件 (preferences.json) 中。我有一个相应功能的列表,我想根据偏好有选择地使用它们。每个函数的结果将被添加到报告中。

preferences.json 看起来像这样:

{
    "getTemperature": true;
    "getHumidity": false;
    "getPrecipitation": true
}

这些函数在我正在导入的模块中(functions.js)。他们是这样的:

var getTemperature = function(){
  //retrieve temperature;
  //append temperature to file;
}

var getHumidity = function(){
  //retrieve humidity;
  //append humidity to file;
}

var getPrecipitation = function() {
  //retrieve precipitation;
  //append precipitation to file;
}

到目前为止我尝试过的,显然没有工作

var prefs = require('./preferences.json');
var funcs = require('./functions.js');

for (key in prefs){
  if(prefs[key]) {
    funcs.key(); // <- Doesn't work, b/c 'key()' isn't a function. But you get the idea.
  }
}

如果您知道如何完成此操作,请告诉我。

我还没有尝试过的一个想法(它需要重写大量代码)是将函数与首选项虚拟变量一起嵌套在伪类中。然后,我将使用首选项文件创建伪类的实例。我的想法是伪类实例将具有完整的首选项,我可以将选择性执行硬编码到每个函数中(即 if(myInstance.tempBool){myInstance.getTemperature()} )。不过,我宁愿迭代,因为还有更多功能,将来我可能会添加更多功能。

有什么想法吗?

4

2 回答 2

1

从我在上面评论中的链接中调整答案并将其应用于您的情况:

您的 functions.js 文件将包含以下内容:

exports.weatherFunctions = {

    var getTemperature = function(){
      //retrieve temperature;
      //append temperature to file;
    }

    var getHumidity = function(){
      //retrieve humidity;
      //append humidity to file;
    }

    var getPrecipitation = function() {
      //retrieve precipitation;
      //append precipitation to file;
    }

}

正如您在上面尝试的那样,在您的文件中要求:

var prefs = require('./preferences.json');
var funcs = require('./functions.js')

从这里你可以随意循环。

for (key in prefs){
  if(prefs[key]) {
    funcs.weatherFunctions[key](); 
  }
}
于 2013-09-08T23:45:24.523 回答
0

You can create an object with the names of the functions as keys and the functions as values:

funcs = {
  getTemperature: function(){
    //retrieve temperature;
    //append temperature to file;
  }

  getHumidity: function(){
    //retrieve humidity;
    //append humidity to file;
  }

  getPrecipitation: function() {
    //retrieve precipitation;
    //append precipitation to file;
  }
}

If you want to put them in a separate file and use them with var funcs = require('./functions.js');, you can put:

module.exports = funcs

Now your main file should almost work as-is. You'll need to change the line funcs.key(); to funcs[key]();.

于 2013-09-09T00:41:54.460 回答