如何列出包含类的所有功能但不按字母顺序重新排序的列表? 因为实际上我有:
[ foo.__dict__.get(a) for a in dir(foo) if isinstance(foo.__dict__.get(a), types.FunctionType) ]
它给我一个清单,但重新排序...... 我也尝试过一个装饰者:
def decorator ():
listing = []
def wrapped (func):
listing.append(func)
return func
wrapped.listing = listing
return wrapped
那很好但是,我需要在班级的每个功能上添加一个装饰器......可能你有一些技巧?
答案 0 :(得分:6)
请参阅inspect模块文档。函数对象具有func_code
attr,并且(根据文档 - 尚未对其进行测试),func_code
应该具有co_firstlineno
属性,该属性将是第一行代码的编号。源文件。
所以请尝试类似:
def getListOfClassFunctions(foo):
'''foo - a class object'''
funcList = [ foo.__dict__.get(a) for a in dir(foo) if isinstance(foo.__dict__.get(a), types.FunctionType)]
funcList = filter(lambda x: x.func_code.co_filename == foo.__module__, funcList) # Thanks Martijn Pieters for a hint!
return sorted(key=lambda x: x.func_code.co_firstlineno, funcList)
编辑将整个片段包装在一个函数中,并仅返回与类相同的模块中定义的函数。