使用Ruby中的方法名称从字符串调用方法

时间:2009-09-10 20:10:27

标签: ruby metaprogramming

我怎么能做他们所​​说的here,但是在Ruby?

您如何对对象执行此功能?你将如何做一个全局函数(参见提到的帖子中的jetxee的answer)?

示例代码:

event_name = "load"

def load()
  puts "load() function was executed."
end

def row_changed()
  puts "row_changed() function was executed."
end 

#something here to see that event_name = "load" and run load()

更新 你如何得到全球方法?还是我的全球职能?

我尝试了另外一行

puts methods

和load和row_change未列出的地方。

4 个答案:

答案 0 :(得分:212)

直接在对象上调用函数

a = [2, 2, 3]
a.send("length")
# or
a.public_send("length")

按预期返回3

或模块功能

FileUtils.send('pwd')
# or
FileUtils.public_send(:pwd)

和本地定义的方法

def load()
    puts "load() function was executed."
end

send('load')
# or
public_send('load')

文档:

答案 1 :(得分:33)

使用此:

> a = "my_string"
> meth = a.method("size")
> meth.call() # call the size method
=> 9

简单,对吧?

对于 global ,我认为Ruby的方法是使用methods方法搜索它。

答案 2 :(得分:32)

三种方式: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)

归功于这个blog post,它详细阐述了这三种方法,并展示了如何检查方法是否存在。

答案 3 :(得分:3)

我个人会设置一个哈希函数引用,然后使用该字符串作为哈希的索引。然后使用它的参数调用函数引用。这样做的好处是不允许错误的字符串调用你不想调用的东西。另一种方法是基本上eval字符串。不要这样做。

PS不要懒惰,实际上输入你的整个问题,而不是链接到某些东西。