から: http://cheind.blogspot.com/2008/12/method-hooks-in-ruby.html
私は持っている
# Contains methods to hook method calls
module FollowingHook
module ClassMethods
private
# Hook the provided instance methods so that the block
# is executed directly after the specified methods have
# been invoked.
#
def following(*syms, &block)
syms.each do |sym| # For each symbol
str_id = "__#{sym}__hooked__"
unless private_instance_methods.include?(str_id)
alias_method str_id, sym # Backup original
# method
private str_id # Make backup private
define_method sym do |*args| # Replace method
ret = __send__ str_id, *args # Invoke backup
block.call(self, # Invoke hook
:method => sym,
:args => args,
:return => ret
)
ret # Forward return value of method
end
end
end
end
end
# On inclusion, we extend the receiver by
# the defined class-methods. This is an ruby
# idiom for defining class methods within a module.
def FollowingHook.included(base)
base.extend(ClassMethods)
end
end
次に、次のようなクラスがあります。
class User
def self.get
#class method
end
def name
#instance method
end
end
別の場所/ファイルで、 User クラスを再度開き、それにフックします
class User
include FollowingHooks # include the hook module
following :name do |receiver, args|
#do something. This works!!
end
following :get do |reciever, args|
#do something. THIS DOESNT WORK
# Which is to be expected looking at the FollowingHooks module definition.
end
end
インスタンスメソッドへのフックは機能します。ただし、クラス メソッドにフックしようとしても、何もしません。それは、FollowingHooks モジュールがそれを実装していないためです。クラスメソッドのフックを実装するにはどうすればよいですか? 私はまったく無知です。