哪一个维护更有效:JavaScript函数引用或布尔+ IF条件?

时间:2013-04-02 05:23:12

标签: javascript node.js function reference

想象一下一个任务,其中有一组具有type属性的资源。基于此type,需要执行不同的功能。实现此目的的一种方法是通过多个if / else或switch / case条件。

// at run time (run many times)
if (resources[ix].type == 'TYPE_ONE') {
    runFuctionOne();
}
else{
    runFuctionTwo();
}

另一种方法是再保留一个属性execute,这个属性将被分配一个满足资源type的函数。那么你就不需要if / else条件并且可以直接执行它的函数:

// at assign time (run once)
if (resources[ix].type == 'TYPE_ONE') {
    resources[ix].execute = runFunctionOne;
}
else{
    resources[ix].execute = runFuctionTwo;
}

// then at run time (run many times)
resources[ix].execute();

那么,哪种方式会更有效率?有更好的方法吗?

编辑:我对Node.js环境中的高效解决方案更感兴趣,而不是浏览器环境。

1 个答案:

答案 0 :(得分:2)

我认为功能图将是更好的选择。

定义全局地图

var fns = {
    'TYPE_ONE' : runFunctionOne,
    'TYPE_TWO' : runFunctionTwo
};

然后使用它

var fn = fns[resources[ix].type];
if (typeof fn == 'function') {
    fn()
}

或使用switch

var fn;
switch (resources[ix].type) {
    case "TYPE_ONE" :
        fn = runFunctionOne;
        break;
    case '' :
        // execute code block 2
        break;
    default :
        //
}

fn()