我正在开发我的web应用程序,我想重写一个方法,例如,如果原始类是
class A
def foo
'original'
end
end
我想重写foo方法它可以这样做
class A
alias_method :old_foo, :foo
def foo
old_foo + ' and another foo'
end
end
,我可以像这样调用新旧方法
obj = A.new
obj.foo #=> 'original and another foo'
obj.old_foo #=> 'original'
那么,如果我可以像我那样访问和保留这两个方法,alias_method_chain有什么用呢?
alias_method_chain
与alias_method
的行为不同
如果你有方法do_something
,你想覆盖它,保持旧的方法,你可以这样做:
alias_method_chain :do_something, :something_else
相当于:
alias_method :do_something_without_something_else, :do_something
alias_method :do_something, :do_something_with_something_else
允许我们轻松地覆盖方法,例如添加自定义日志记录。假设有一个do_something
方法的Foo
类,我们想要覆盖它。我们可以做:
class Foo
def do_something_with_logging(*args, &block)
result = do_something_without_logging(*args, &block)
custom_log(result)
result
end
alias_method_chain :do_something, :logging
end
所以要完成你的工作,你可以这样做:
class A
def foo_with_another
'another foo'
end
alias_method_chain :foo, :another
end
a = A.new
a.foo # => "another foo"
a.foo_without_another # => "original"
由于它不是很复杂,您也可以使用普通的alias_method
:
class A
def new_foo
'another foo'
end
alias_method :old_foo, :foo
alias_method :foo, :new_foo
end
a = A.new
a.foo # => "another foo"
a.old_foo # => "original"
更多信息,请参考文档