0

如何动态访问 Ruby 实例变量/方法?我基本上是在以下 PHP 代码的 Ruby 等价物之后......

$foo = new Foo;
$bar = 'bar';

echo $foo->$bar;
echo $foo->$bar();
4

3 回答 3

4

#send方法采用方法名称。您可以调用#intern一个字符串来从中创建一个符号。所以这是等价的:

foo = Foo.new
bar = 'bar'
puts foo.send(bar.intern)

实例变量默认是私有的。要公开它们,正常的做法是添加attr_reader对类定义的调用:

class Foo
  attr_reader :bar

  def initialize(value_of_bar)
    @bar = value_of_bar
  end
end

bar = 'bar'
foo = Foo.new("bar_value")
puts foo.bar # => "bar_value"
puts foo.send(:bar) # => "bar_value"
puts foo.send(bar.intern) # => "bar_value"

访问并访问没有读取器方法的实例变量#instance_variable_get将起作用,但通常最好避免它。

于 2013-07-30T15:57:42.833 回答
3
class Foo
  def initialize
    @x = 10
  end
  def test
    @x
  end
end
foo = Foo.new
foo.instance_variables
# => [:@x]
foo.instance_variable_get(:@x)
# => 10
Foo.instance_methods(false)
# => [:test]
Foo.instance_methods(false).map{|i| foo.method(i).call}
# => [10]
Foo.instance_methods(false).map{|i| foo.send(i)}
# => [10]
于 2013-07-30T15:54:50.237 回答
1

instance_variable_get(不要忘记@)。

class Foo
  def initialize
    @ivar = "hello"
  end
end

foo = Foo.new

foo.instance_variable_get :@ivar
#=> "hello"

或者在类上提供一个访问器

class Bar
  attr_reader :ivar

  def intialize
    @ivar = "hey"
  end
end

Bar.new.ivar
#=> "hey"
于 2013-07-30T15:58:50.943 回答