哪个Ruby语句更有效?

时间:2013-08-22 03:10:36

标签: ruby

我有一个哈希表:

hash = Hash.new(0)

hash[:key] = hash[:key] + 1   # Line 1
hash[:key] += 1               # Line 2

第1行和第2行做同样的事情。看起来第1行需要按键查询哈希两次,而第2行只需查询一次。真的吗?或者他们实际上是一样的?

4 个答案:

答案 0 :(得分:4)

我创建了一个ruby脚本来对其进行基准测试

require 'benchmark'

def my_case1()
  @hash[:key] = @hash[:key] + 1 
end

def my_case2()
  @hash[:key] += 1   
end

n = 10000000
Benchmark.bm do |test|
  test.report("case 1") { 
    @hash = Hash.new(1)
    @hash[:key] = 0
    n.times do; my_case1(); end 
  }

  test.report("case 2") {
    @hash = Hash.new(1)
    @hash[:key] = 0
    n.times do; my_case2(); end 
 }
end

结果如下

       user     system      total        real
case 1  3.620000   0.080000   3.700000 (  4.253319)
case 2  3.560000   0.080000   3.640000 (  4.178699)

看起来hash[:key] += 1略胜一筹。

答案 1 :(得分:1)

@sza打败了我:)

以下是我的irb会话示例:

> require 'benchmark'
=> true 
> n = 10000000
=> 10000000 
> Benchmark.bm do |x|
>   hash = Hash.new(0)
>   x.report("Case 1:") { n.times do; hash[:key] = hash[:key] + 1; end }
>   hash = Hash.new(0)
>   x.report("Case 2:") { n.times do; hash[:key] += 1; end }
> end
       user     system      total        real
Case 1:  1.070000   0.000000   1.070000 (  1.071366)
Case 2:  1.040000   0.000000   1.040000 (  1.043644)

答案 2 :(得分:1)

Ruby语言规范明确说明了用于评估缩写索引赋值表达式的算法。它是这样的:

primary_expression[indexing_argument_list] ω= expression
# ω can be any operator, in this example, it is +

(粗略地)评估为

o = primary_expression
*l = indexing_argument_list
v = o.[](*l)
w = expression
l << (v ω w)
o.[]=(*l)

特别是,您可以看到getter和setter都只调用一次。

你也可以通过观察非正式的堕落来看到这一点:

hash[:key] += 1

# is syntactic sugar for 

hash[:key] = hash[:key] + 1

# which is syntactic sugar for 

hash.[]=(:key, hash.[](:key).+(1))

同样,你会看到setter和getter都只被调用一次。

答案 3 :(得分:0)

第二个是习惯性的做法。效率更高。