Ruby如何实现动态方法调用
class TestClass def hello(*args) ”Hello ” + args.join(‘ ‘) end end
a = TestClass.new puts a.send :hello, “This”, “is”, “a”, “dog!”
执行结果为: Hello This is a dog!
2. 使用Method类和UnboundMethod类 另一种实现动态方法调用是使用Object类的method方法,这个方法返回一个Method类的对象。我们可以使用call方法来执行方法调用。 test1 = “This is a dog1″.method(:length) test1.call => 14
class Test def initialize(var) @var = var end
def hello() ”Hello, @var = #{@var}” end end
k = Test.new(10) m = k.method(:hello) m.call #=> “Hello, @iv = 99″
l = Test.new(‘Grant’) m = l.method(“hello”) m.call #=> “Hello, @iv = Fred”
可以在使用对象的任何地方使用method对象,当调用call方法时,参数所指明的方法会被执行,这种行为有些像C语言中的函数指针。你也可以把method对象作为一个迭代器使用。 def square(a) a*a end
mObj = method(:square) [1, 2, 3, 4].collect(&mObj) => [1 4 9 16]
Method对象都是和某一特定对象绑定的,也就是说你需要通过某一对象使用Method对象。你也可以通过UnboundMethod类创建对象,然后再把它绑定到某个具体的对象中。如果UnboundMethod对象调用时尚未绑定,则会引发异常。 class Double def get_value 2 * @side end
def initialize(side) @side = side end end
a = Double.instance_method(:get_value) #返回一个UnboundMethod对象 s = Double.new(50) b = a.bind(s) puts b.call
执行结果为: 100
看下面一个更具体的例子: class CommandInterpreter def do_2() print “This is 2\n”; end def do_1() print “This is 1\n”; end def do_4() print “This is 4\n”; end def do_3() print “This is 3\n”; end
Dispatcher = { ?2 => instance_method(:do_2), ?1 => instance_method(:do_1), ?4 => instance_method(:do_4), ?3 => instance_method(:do_3) }
def interpret(string) string.each_byte {|i| Dispatcher[i].bind(self).call } end end
interpreter = CommandInterpreter.new interpreter.interpret(’1234′)
执行结果为: This is 1 This is 2 This is 3 This is 4
3. 使用eval(n) @value = n end
def getBinding return binding() #使用Kernel#binding方法返回一个Binding对象 end end
obj1 = BindingTest.new(10) binding1 = obj1.getBinding obj2 = BindingTest.new(“Binding Test”) binding2 = obj2.getBinding
puts eval(“@value”, binding1) #=> 10 puts eval(“@value”, binding2) #=> Binding Test puts eval(“@value”) #=> nil
可以看到上述代码中,@value在binding1所指明的上下文环境中值为10,在binding2所指明的上下文环境中值为Binding Test。当eval方法不提供binding参数时,在当前上下文环境中@value并未定义,值为nil。