3

假设我们有一个元类CallableWrappingMeta,它遍历一个新类的主体,用一个类包装它的方法,InstanceMethodWrapper

import types

class CallableWrappingMeta(type):
    def __new__(mcls, name, bases, cls_dict):
        for k, v in cls_dict.iteritems():
            if isinstance(v, types.FunctionType):
                cls_dict[k] = InstanceMethodWrapper(v)
        return type.__new__(mcls, name, bases, cls_dict)

class InstanceMethodWrapper(object):
    def __init__(self, method):
        self.method = method
    def __call__(self, *args, **kw):
        print "InstanceMethodWrapper.__call__( %s, *%r, **%r )" % (self, args, kw)
        return self.method(*args, **kw)

class Bar(object):
    __metaclass__ = CallableWrappingMeta
    def __init__(self):
        print 'bar!'

我们的虚拟包装器只是在参数进入时打印它们。但是您会注意到一些明显的事情:该方法没有传递给实例对象接收器,因为即使InstanceMethodWrapper是可调用的,它也不会被视为函数在类创建期间转换为实例方法(在我们的元类完成之后)。

一个潜在的解决方案是使用装饰器而不是类来包装方法——该函数将成为实例方法。但在现实世界中,InstanceMethodWrapper情况要复杂得多:它提供 API 并发布方法调用事件。一个类更方便(并且性能更高,这并不重要)。

我也尝试了一些死胡同。子类化types.MethodTypetypes.UnboundMethodType没有去任何地方。稍加反省,似乎它们是从type. 所以我尝试将两者都用作元类,但也没有运气。可能是他们作为元类有特殊要求,但目前我们似乎处于无证领域。

有任何想法吗?

4

4 回答 4

4

只需用 a 来丰富你InstanceMethodWrapper的类__get__(这可以很好地只是return self)——也就是说,使该类成为描述符类型,以便它的实例是描述符对象。有关背景和详细信息,请参见http://users.rcn.com/python/download/Descriptor.htm

顺便说一句,如果您使用的是 Python 2.6 或更高版本,请考虑使用类装饰器而不是那个元类——我们添加类装饰器正是因为有这么多元类仅用于此类装饰目的,而装饰器使用起来确实简单得多.

于 2009-05-03T19:37:57.393 回答
0

编辑:我又撒谎了。函数的__?attr__属性是只读的,但显然在分配时并不总是抛出AttributeException异常?我不知道。回到原点!

编辑:这实际上并不能解决问题,因为包装函数不会将属性请求代理到InstanceMethodWrapper. 当然,我可以对装饰器中的属性进行猛击__?attr__——这就是我现在正在做的事情——但这很丑。更好的想法是非常受欢迎的。


当然,我立即意识到将一个简单的装饰器与我们的类结合起来就可以了:

def methodize(method, callable):
    "Circumvents the fact that callables are not converted to instance methods."
    @wraps(method)
    def wrapper(*args, **kw):
        return wrapper._callable(*args, **kw)
    wrapper._callable = callable
    return wrapper

然后将装饰器添加到InstanceMethodWrapper元类中的调用中:

cls_dict[k] = methodize(v, InstanceMethodWrapper(v))

噗。有点倾斜,但它的工作原理。

于 2009-05-03T00:26:02.747 回答
0

我猜您正在尝试创建一个元类,该元类使用自定义函数包装类中的每个方法。

这是我的版本,我认为它不那么倾斜。

import types

class CallableWrappingMeta(type):
    def __new__(mcls, name, bases, cls_dict):
        instance = type.__new__(mcls, name, bases, cls_dict)
        for k in dir(instance):
            v = getattr(instance, k)
            if isinstance(v, types.MethodType):
                setattr(instance, k, instanceMethodWrapper(v))

        return instance

def instanceMethodWrapper(function):
    def customfunc(*args, **kw):
        print "instanceMethodWrapper(*%r, **%r )" % (args, kw)
        return function(*args, **kw)
    return customfunc

class Bar(object):
    __metaclass__ = CallableWrappingMeta

    def method(self, a, b):
        print a,b

a = Bar()
a.method("foo","bar")
于 2009-05-03T01:41:18.230 回答
0

我认为您需要更具体地了解您的问题。最初的问题是关于包装函数,但您随后的答案似乎是在谈论保留函数属性,这似乎是一个新因素。如果您更清楚地说明您的设计目标,可能会更容易回答您的问题。

于 2009-05-03T13:53:23.010 回答