20

我可以创建一个可以被类方法调用的私有实例方法吗?

class Foo
  def initialize(n)
    @n = n
  end
  private # or protected?
  def plus(n)
    @n += n
  end
end

class Foo
  def Foo.bar(my_instance, n)
    my_instance.plus(n)
  end
end

a = Foo.new(5)
a.plus(3) # This should not be allowed, but
Foo.bar(a, 3) # I want to allow this

抱歉,如果这是一个非常基本的问题,但我无法通过谷歌搜索找到解决方案。

4

3 回答 3

20

在 Ruby 中,使用 private 或 protected 并没有那么大的作用。您可以在任何对象上调用 send 并使用它拥有的任何方法。

class Foo
  def Foo.bar(my_instance, n)
    my_instance.send(:plus, n)
  end
end
于 2009-01-07T15:54:19.920 回答
10

你可以像 Samuel 展示的那样做,但它确实绕过了 OO 检查......

在 Ruby 中,您只能在同一个对象上发送私有方法,并且只对同一个类的对象进行保护。静态方法驻留在元类中,因此它们位于不同的对象(以及不同的类)中 - 因此您无法按照自己的意愿使用私有或受保护。

于 2009-01-07T20:37:56.477 回答
7

你也可以使用instance_eval

class Foo
  def self.bar(my_instance, n)
    my_instance.instance_eval { plus(n) }
  end
end
于 2009-01-08T00:51:02.333 回答