如何在一个数组元素上调用一个名称的方法?
例如,我可以:
thing = "each"
我希望能够做到这样的事情:
def do_thing(thing)
array = [object1,object2]
array[0].thing
end
以便do_thing(to_s)
运行object1.to_s
。
答案 0 :(得分:3)
您可以使用public_send
或send
。 public_send
只发送公开方法,而send
可以查看公共和私有方法。
def do_thing(thing)
array = [1,2,3]
array.public_send(thing)
end
do_thing('first')
# => 1
do_thing(:last)
# => 3
更新更通用的版本:
def do_thing(array, index, method, *args)
array[index].public_send(method, *args)
end
do_thing([1, 2, 3], 0, :to_s)
# => "1"
do_thing([[1,2], [3, 4]], 0, :fetch, 0)
# => 1
require 'ostruct'
o = OpenStruct.new(attribute: 'foo')
do_thing([o], 0, :attribute=, 'bar')
o.attribute == 'bar'
# => true
答案 1 :(得分:0)
thing = "each"
def do_thing(thing)
array = [1,2,3]
array.send(thing)
end
来自doc:
class Klass
def hello(*args)
"Hello " + args.join(' ')
end
end
k = Klass.new
k.send :hello, "gentle", "readers" #=> "Hello gentle readers"
答案 2 :(得分:0)
这是一个帮助你的例子,虽然我不知道你的数组中有哪些对象:
arr = [Array.new(2,10),"abc" ]
arr.each{|i| p i.send(:length)}
#>>2
#>>3