这是一个很长的答案,其中包含一堆关于如何解决问题的想法和代码示例。
try
Rails 有一个try 方法,可以让你这样编程。这是它的实现方式:
class Object
def try(*args, &b)
__send__(*a, &b)
end
end
class NilClass # NilClass is the class of the nil singleton object
def try(*args)
nil
end
end
您可以像这样使用它进行编程:
fizz.try(:buzz).try(:foo).try(:bar)
您可以想象修改它以稍微不同地工作以支持更优雅的 API:
class Object
def try(*args)
if args.length > 0
method = args.shift # get the first method
__send__(method).try(*args) # Call `try` recursively on the result method
else
self # No more methods in chain return result
end
end
end
# And keep NilClass same as above
然后你可以这样做:
fizz.try(:buzz, :foo, :bar)
andand
andand使用了一种更邪恶的技术,破解了你不能直接实例化 NilClass 子类的事实:
class Object
def andand
if self
self
else # this branch is chosen if `self.nil? or self == false`
Mock.new(self) # might want to modify if you have useful methods on false
end
end
end
class Mock < BasicObject
def initialize(me)
super()
@me = me
end
def method_missing(*args) # if any method is called return the original object
@me
end
end
这允许您以这种方式编程:
fizz.andand.buzz.andand.foo.andand.bar
结合一些花哨的重写
您可以再次扩展此技术:
class Object
def method_missing(m, *args, &blk) # `m` is the name of the method
if m[0] == '_' and respond_to? m[1..-1] # if it starts with '_' and the object
Mock.new(self.send(m[1..-1])) # responds to the rest wrap it.
else # otherwise throw exception or use
super # object specific method_missing
end
end
end
class Mock < BasicObject
def initialize(me)
super()
@me = me
end
def method_missing(m, *args, &blk)
if m[-1] == '_' # If method ends with '_'
# If @me isn't nil call m without final '_' and return its result.
# If @me is nil then return `nil`.
@me.send(m[0...-1], *args, &blk) if @me
else
@me = @me.send(m, *args, &blk) if @me # Otherwise call method on `@me` and
self # store result then return mock.
end
end
end
解释一下发生了什么:当你调用一个带下划线的方法时,你会触发模拟模式,结果_meth
会自动包装在一个Mock
对象中。每当您在该模拟上调用一个方法时,它都会检查它是否不持有 anil
然后将您的方法转发给该对象(此处存储在@me
变量中)。模拟然后用您的函数调用的结果替换原始对象。当您调用meth_
它时,它会结束模拟模式并返回meth
.
这允许像这样的 api(我使用下划线,但你可以使用任何东西):
fizz._buzz.foo.bum.yum.bar_
残酷的猴子修补方法
这真的很讨厌,但它允许一个优雅的 API 并且不一定会在你的整个应用程序中搞砸错误报告:
class NilClass
attr_accessor :complain
def method_missing(*args)
if @complain
super
else
self
end
end
end
nil.complain = true
像这样使用:
nil.complain = false
fizz.buzz.foo.bar
nil.complain = true