1

Consider the following example:

import types

methods = ['foo', 'bar']

def metaMethod(self):
    print "method", "<name>"

class Egg:
    def __init__(self):
        for m in methods:
            self.__dict__[m] = types.MethodType(metaMethod, self)

e = Egg()
e.foo()
e.bar()

What should I write instead of "<name>", so output be

method foo
method bar
4

2 回答 2

4

您必须以某种方式传递该参数,那么为什么不让metaMethod返回一个知道要打印什么的函数,而不是直接打印呢?(我相信还有更多方法可以做到这一点,这只是一种可能性。)

import types

methods = ['foo', 'bar']

def metaMethod(self, m):
    def f(self):
        print "method", m
    return f

class Egg:
    def __init__(self):
        for m in methods:
            self.__dict__[m] = types.MethodType(metaMethod(self, m), self)

e = Egg()
e.foo()
e.bar()

运行此脚本打印

method foo
method bar
于 2013-08-01T12:43:09.927 回答
2

一种方法是创建metaMethod一个类而不是一个函数。

class metaMethod:
    def __init__(self, name):
        self.name = name
    def __call__(*args, **kwargs):
        print "method", self.name
于 2013-08-01T12:36:54.010 回答