三种方式:send
/ call
/ eval
-及其基准
典型调用(供参考):
s= "hi man"
s.length #=> 6
使用 send
s.send(:length) #=> 6
使用 call
method_object = s.method(:length)
p method_object.call #=> 6
使用 eval
eval "s.length" #=> 6
基准测试
require "benchmark"
test = "hi man"
m = test.method(:length)
n = 100000
Benchmark.bmbm {|x|
x.report("call") { n.times { m.call } }
x.report("send") { n.times { test.send(:length) } }
x.report("eval") { n.times { eval "test.length" } }
}
...如您所见,实例化方法对象是调用方法中最快的动态方法,还要注意使用eval有多慢。
#######################################
##### The results
#######################################
#Rehearsal ----------------------------------------
#call 0.050000 0.020000 0.070000 ( 0.077915)
#send 0.080000 0.000000 0.080000 ( 0.086071)
#eval 0.360000 0.040000 0.400000 ( 0.405647)
#------------------------------- total: 0.550000sec
# user system total real
#call 0.050000 0.020000 0.070000 ( 0.072041)
#send 0.070000 0.000000 0.070000 ( 0.077674)
#eval 0.370000 0.020000 0.390000 ( 0.399442)
值得一提的是这篇博客文章,其中详细介绍了这三种方法,并显示了如何检查这些方法是否存在。