calling another method in super class in ruby
class A def a puts 'in #a' end end class B < A def a b() end def b # here i want to call A#a. end end
class B < A
alias :super_a :a
def a
b()
end
def b
super_a()
end
end
There's no nice way to do it, but you can do A.instance_method(:a).bind(self).call
, which will work, but is ugly.
You could even define your own method in Object to act like super in java:
class SuperProxy
def initialize(obj)
@obj = obj
end
def method_missing(meth, *args, &blk)
@obj.class.superclass.instance_method(meth).bind(@obj).call(*args, &blk)
end
end
class Object
private
def sup
SuperProxy.new(self)
end
end
class A
def a
puts "In A#a"
end
end
class B<A
def a
end
def b
sup.a
end
end
B.new.b # Prints in A#a
如果你不明确需要从B#b调用A#a,而是需要从B#a调用A#a,这实际上就是你通过B#b所做的事情(除非你是例子不完全足以证明你为什么从B#b调用,你可以在B#a中调用super,就像有时在初始化方法中做的那样。我知道这很明显,我只是想澄清对于任何你不需要别名的Ruby新手来说(特别是有时候被称为“左右别名”)。
class A
def a
# do stuff for A
end
end
class B < A
def a
# do some stuff specific to B
super
# or use super() if you don't want super to pass on any args that method a might have had
# super/super() can also be called first
# it should be noted that some design patterns call for avoiding this construct
# as it creates a tight coupling between the classes. If you control both
# classes, it's not as big a deal, but if the superclass is outside your control
# it could change, w/o you knowing. This is pretty much composition vs inheritance
end
end
链接地址: http://www.djcxy.com/p/44838.html
上一篇: Ruby函数删除所有空格?
下一篇: 在ruby中调用超类的另一种方法