Rubyをエスプレッソカップに押し込むことができる場合があります。方法を見てみましょう。
これがモジュールFunNotFunです...
module FunNotFun
def fun
@method_type = 'fun'
end
def notfun
@method_type = 'not fun'
end
def method_added(id)
return unless @method_type
return if @bypass_method_added_hook
orig_method = instance_method(id)
@bypass_method_added_hook = true
method_type = @method_type
define_method(id) do |*args|
orig_method.bind(self).call(*args).tap do
puts "That was #{method_type}"
end
end
@bypass_method_added_hook = false
end
end
...クラスを拡張するために使用できる...
class Thing
extend FunNotFun
fun
def f1
puts "hey"
end
notfun
def f2
puts "hey"
end
end
...この結果で:
Thing.new.f1
# => hey
# => That was fun
Thing.new.f2
# => hey
# => That was not fun
しかし、より良い方法については、線の下を参照してください。
注釈(normalocityの回答を参照)は問題が少なく、一般的なRubyイディオムであるため、コードの意図をより簡単に伝えることができます。アノテーションを使用してこれを行う方法は次のとおりです。
module FunNotFun
def fun(method_id)
wrap_method(method_id, "fun")
end
def notfun(method_id)
wrap_method(method_id, "not fun")
end
def wrap_method(method_id, type_of_method)
orig_method = instance_method(method_id)
define_method(method_id) do |*args|
orig_method.bind(self).call(*args).tap do
puts "That was #{type_of_method}"
end
end
end
end
使用中、アノテーションはメソッドが定義された後ではなく、次のようになります。
class Thing
extend FunNotFun
def f1
puts "hey"
end
fun :f1
def f2
puts "hey"
end
notfun :f2
end
結果は同じです:
Thing.new.f1
# => hey
# => That was fun
Thing.new.f2
# => hey
# => That was not fun