0

如何在给定名称的数组元素上调用方法?

例如,我可以:

thing = "each"

我希望能够做类似的事情:

def do_thing(thing)
  array = [object1,object2]
  array[0].thing
end

因此do_thing(to_s),例如,将运行object1.to_s.

4

3 回答 3

3

您可以使用public_sendsendpublic_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
于 2013-06-07T13:30:34.013 回答
0

对象#send

thing = "each"
def do_thing(thing)
  array = [1,2,3]
  array.send(thing)
end

从文档:

class Klass
  def hello(*args)
    "Hello " + args.join(' ')
  end
end
k = Klass.new
k.send :hello, "gentle", "readers"   #=> "Hello gentle readers"
于 2013-06-07T13:31:10.570 回答
0

这是一个可以帮助您的示例,尽管我不知道您的数组中存在哪些对象:

arr = [Array.new(2,10),"abc" ]
arr.each{|i| p i.send(:length)}
#>>2
#>>3
于 2013-06-07T13:46:58.883 回答