我有以下代码,其中大多数代码看起来看起来很尴尬,令人困惑和/或间接,但大多数代码都是为了演示我遇到问题的更大代码的部分。请仔细阅读
# The following part is just to demonstrate the behavior AND CANNOT BE CHANGED UNDER NO CIRCUMSTANCES
# Just define something so you can access something like derived.obj.foo(x)
class Basic(object):
def foo(self, x=10):
return x*x
class Derived(object):
def info(self, x):
return "Info of Derived: "+str(x)
def set(self, obj):
self.obj = obj
# The following piece of code might be changed, but I would rather not
class DeviceProxy(object):
def __init__(self):
# just to set up something that somewhat behaves as the real code in question
self.proxy = Derived()
self.proxy.set(Basic())
# crucial part: I want any attributes forwarded to the proxy object here, without knowing beforehand what the names will be
def __getattr__(self, attr):
return getattr(self.proxy, attr)
# ======================================
# This code is the only I want to change to get things work
# Original __getattr__ function
original = DeviceProxy.__getattr__
# wrapper for the __getattr__ function to log/print out any attribute/parameter/argument/...
def mygetattr(device, key):
attr = original(device, key)
if callable(attr):
def wrapper(*args, **kw):
print('%r called with %r and %r' % (attr, args, kw))
return attr(*args, **kw)
return wrapper
else:
print "not callable: ", attr
return attr
DeviceProxy.__getattr__ = mygetattr
# make an instance of the DeviceProxy class and call the double-dotted function
dev = DeviceProxy()
print dev.info(1)
print dev.obj.foo(3)
我想要的是捕获对DeviceProxy
的所有方法调用,以便能够打印所有参数/参数等等。在给定的示例中,这在调用info(1)
时非常有效,所有信息都会打印出来。
但是当我调用双点函数dev.obj.foo(3)
时,我只得到这个不可调用的消息。
如何修改上述代码,以便在第二种情况下获取我的信息?只能修改===
下面的代码。
答案 0 :(得分:3)
__getattr__
上只有dev
,您希望在__getattr__
内foo
访问dev.obj.foo
dev.obj
。这是不可能的。属性访问不是作为整体访问的“虚线函数”。从左到右一次评估属性访问的顺序(点)。在您访问foo
时,无法知道您稍后会访问dev.__getattr__
。方法dev
仅知道您在obj
上访问的属性,而不知道您稍后可以访问的结果的哪些属性。
实现目标的唯一方法是在DeviceProxy.__getattr__
中包含一些包装行为。你说你不能修改“Base”/“Derived”类,所以你不能这样做。理论上,您可以使{{1}}不返回被访问属性的实际值,而是将该对象包装在另一个代理中并返回代理。但是,这可能会有点棘手,使您的代码更难以理解和调试,因为最终可能会被大量的对象包裹在瘦代理中。