Python 中是否有任何技术可用于拦截消息(方法调用),例如 Ruby 中的 method_missing 技术?
问问题
10844 次
2 回答
46
正如其他人所提到的,在 Python 中,当你执行 时o.f(x)
,它实际上是一个两步操作:首先获取 的f
属性o
,然后使用参数调用它x
。这是因为没有属性而失败f
的第一步,也是调用 Python 魔术方法的那一步__getattr__
。
所以你必须实现__getattr__
,它返回的必须是可调用的。请记住,如果您也尝试 get o.some_data_that_doesnt_exist
,__getattr__
也会调用相同的方法,并且它不会知道它是“数据”属性还是正在寻找的“方法”。
这是返回可调用对象的示例:
class MyRubylikeThing(object):
#...
def __getattr__(self, name):
def _missing(*args, **kwargs):
print "A missing method was called."
print "The object was %r, the method was %r. " % (self, name)
print "It was called with %r and %r as arguments" % (args, kwargs)
return _missing
r = MyRubylikeThing()
r.hello("there", "world", also="bye")
产生:
A missing method was called.
The object was <__main__.MyRubylikeThing object at 0x01FA5940>, the method was 'hello'.
It was called with ('there', 'world') and {'also': 'bye'} as arguments
于 2011-08-05T11:53:13.127 回答
0
您可以重载__getattr__
并从中返回一个可调用对象。请注意,您无法在属性查找期间决定是否要调用请求的属性,因为 Python 分两步完成。
于 2011-08-05T09:30:57.067 回答