Ruby中bind / unbind方法的目的是什么?

时间:2016-01-17 23:02:02

标签: ruby metaprogramming

拥有Method#unbindUnboundMethod#bind的目的是什么?

从我收集的内容来看,方法是可调用的对象,如procs和lambdas,除了方法绑定到接收器的范围:

class SomeClass
  def a_method; puts "from SomeClass"; end
end

s = SomeClass.new
s.a_method # => "from SomeClass"

如果我在a_method的上下文中,或者如果我有SomeClass的对象,我可以致电SomeClass。我可以通过将方法提取为Method对象使其成为可调用对象,但在此示例中它仍然绑定到类SomeClass的对象:

m = s.method :a_method
m.class # => Method
m.owner # => SomeClass
m.call # => "from SomeClass"

为什么我要从接收器unbind中获取方法?也许我可以将它或bind传递给另一个给它新上下文的对象,也许我可以有一个完全不同的对象调用这个方法而不继承,但我不能用它做任何事情,除非我把它绑定到它的原始类的对象或我将其转换为Proc对象(实际上是一个lambda,因为方法和lambda有些相似):

# Module#instance_method gives me an UnboundMethod
ub = SomeClass.instance_method :a_method
ub.class # -> UnboundMethod

# now I can't make any calls 
ub.call # -> NoMethod Error, undefined method 'call'

class AnotherClass; end
a = AnotherClass.new
b = ub.bind(a) # -> TypeError: bind argument must be an instance of SomeClass
b = ub.bind(SomeClass.new).call # -> "from SomeClass"

我可以将方法对象转换为proc,也许可以用它做点什么:

AnotherClass.class_eval do
  # I can access m becausec this block is evaluated in the same 
  # scope it's defined, so I can grab m ;)
  define_method(:method_from_some_class, m.to_proc)
end

AnotherClass.instance_methods(false) # -> [:method_from_some_class]
a.method_from_some_class # -> "from SomeClass"

这样做的目的是什么?这样的事情的真实世界应用是什么?

1 个答案:

答案 0 :(得分:7)

它对元编程确实很有用。假设您想知道SomeClass#method源代码的位置。如果您可以生成SomeClass的实例,那么您可以在SomeClass实例上创建它的(绑定)方法实例,您可以在其上调用各种方法来调查方法的某些元数据。但是,如果您不知道SomeClass#new的方法签名,或者如果SomeClass的构造函数方法被命名为SomeClass#new以外的其他方法,该怎么办?只是安全地创建SomeClass的实例可能很困难。这就是未绑定方法派上用场的地方。在不打扰类的特定实例或如何创建实例的情况下,您只需执行SomeClass.instance_method(:a_method)(这是一种未绑定的方法),然后在其上调用source_location来调查其位置定义:

unbound = SomeClass.instance_method(:a_method)
puts unbound.source_location

在现实世界的应用程序中何时需要这种元编程?例如,当您使用方法查找功能创建IDE时。