使用键vs条件语句获取值

时间:2018-01-06 08:42:59

标签: javascript performance typescript ecmascript-6 conditional

我正在尝试优化滑块的性能,该滑块具有许多在滑动/滑动时执行的条件语句。

哪种方式有更好的表现?

1-使用键条件访问准备好的对象

const controller = (config) => {
    top: {
      positionVertical: false,
      orderAfter: false,
      width: '100%',
      height: config.height + 'px',
    },
    bottom: {
      positionVertical: false,
      orderAfter: true,
      width: '100%',
      height: config.height + 'px',
    },
    left: {
      positionVertical: true,
      orderAfter: false,
      width: config.width + 'px',
      height: '100%'
    },
    right: {
      positionVertical: true,
      orderAfter: true,
      width: config.width + 'px',
      height: '100%'
    }
};

this.gallery.sub$.pipe(
  map(({state, config}) => this.controller(config)[config.position])
);

2-使用标准的if-else或switch case语句

this.gallery.sub$.pipe(
  map(({state, config}) => {
    switch(config.position) {
       case 'top': return {
         positionVertical: false,
         orderAfter: false,
         width: '100%',
         height: config.height + 'px',
       }
       case 'left': return {
         positionVertical: true,
         orderAfter: false,
         width: config.width + 'px',
         height: '100%'
       }
       case 'right': return {
         positionVertical: true,
         orderAfter: true,
         width: config.width + 'px',
         height: '100%'
       }
       default: return {
         positionVertical: false,
         orderAfter: true,
         width: '100%',
         height: config.height + 'px',
      }
    }
  })
);

赞赏额外的解释

2 个答案:

答案 0 :(得分:1)

答案 1 :(得分:1)

您很可能永远不会看到两个版本的代码之间存在任何性能差异。根据Yuan的测试结果,即使您的滑块中有10,000个条目,也不会有任何明显的差异。我假设这些测试是在桌面CPU上进行的,但即使在移动CPU上,也不应该有太大的不同。

也就是说,从第一原则可以很容易地看出哪个版本可能更快:第二个原因,仅仅因为它的工作量少了很多。袁的测试证明了10,000,000个条目的极端情况(虽然我没有看过详细的测试设置)。

为什么第二个更快?看看第一个。对于每个条目,它执行以下操作:

  1. 计算所有四种情况的所有值,并为每种情况创建一个对象。
  2. 构造一个包含所有这四个内部对象的新外部对象。
  3. 根据config.position选择其中一个内部对象并丢弃其余部分。
  4. 第二个版本只是这样做:

    1. 使用config.position选择要创建的四种对象中的哪一种。
    2. 只构造一个对象,而不构造其他三个对象。
    3. 没有第3步。
    4. 按理说,计算和构造四个不同的对象,加上一个包装对象来保存所有这些对象,所需的时间比计算和构造那些对象的一个要长。

      在风格上,我会在第二个版本中改变一件事。 default:案例应为case 'bottom':以匹配其余案例,并使意图更加明确。