1 回答
TA贡献1871条经验 获得超13个赞
函数和方法的处理方式略有不同,而不是一视同仁:
功能:
[A]
正常添加函数到列表
方法:
self
调用装饰器时的未绑定方法,因此还没有关联的实例或值[B]
_tagged
我们通过设置其属性在方法未绑定时(在创建实例之前)“标记”该方法[C]
一旦创建了一个实例(并且self
变量已经被填充),__init__()
我们在里面搜索并添加所有标记的方法我们可以在之后添加方法,因为一旦它们被绑定到一个实例,参数
self
就会被填充(这意味着它在技术上没有参数,类似于functools.partial()
)
import inspect
class Runner:
def __init__(self):
self.functions = []
def add(self, function):
if len(inspect.signature(function).parameters) == 0:
# [A] adds if has no parameters
self.functions.append(function)
else:
# [B] tags if has 1 parameter (unbound methods have "self" arg)
function._tagged = True
return function
# [C] search through object and add all tagged methods
def add_all_tagged_methods(self, object):
for method_name in dir(object):
method = getattr(object, method_name)
if hasattr(method, '_tagged'):
self.functions.append(method)
def run(self):
for function in self.functions:
function()
runner = Runner()
然后使用与下面相同的初始代码
@runner.add
def myFunction():
print('myFunction')
class MyClass:
def __init__(self):
runner.add_all_tagged_methods(self)
@runner.add
def myMethod(self):
print('myMethod')
myObject = MyClass()
myObjectMethod = myObject.myMethod
runner.run()
添加回答
举报