0

我有一个看起来像这样的 ExtJs 类:

Ext.define("RuleExecutor", {
    singleton: true,
    displayMessage: function(msg) {
        Ext.Msg.alert('Popup Message', msg[0]);
    },
    disableById: function(field) {
        Ext.getCmp(field).setDisabled(true);
    },
    //more functions are here...
});

现在我得到一个字符串 => str,其中包含我需要运行的方法名称。我需要调用str 中的字符串指定的RuleExecutor 中的方法

该方法被正确调用,但参数未传递。

像这样:

//arguments is an array
function RunRule(str, arguments) {
  //I tried this....
  var fn = RuleExecutor[str];
  fn(arguments)

  //This doesn't work either..
  RuleExecutor[str].apply(this, arguments);
}
4

2 回答 2

2

不要使用“参数”作为变量名。JavaScript中已经有一个内置的类数组对象,称为“ arguments ”。您的方法可能如下所示:

function RunRule(str) {
    var slice = Array.prototype.slice,
        args = slice.call(arguments, 1);
    RuleExecutor[str].apply(RuleExecutor, args);
}

我使用了slice“真实”数组原型中的方法。该行:

args = slice.call(arguments, 1)

将除第一个参数之外的所有参数复制到args变量中。你RunRule这样打电话:

RunRule("displayMessage", "Hello");
于 2013-01-02T12:59:11.007 回答
1

这是你要找的吗?

Ext.onReady(function () {
    Ext.define("RuleExecutor", {
        singleton: true,
        displayMessage: function (msg) {
            Ext.Msg.alert('Popup Message', msg[0]);
        },
        disableById: function (field) {
            Ext.getCmp(field).setDisabled(true);
        }
    });

    var str = 'displayMessage';
    RuleExecutor[str](['bar']);
});
于 2012-12-31T16:22:28.657 回答