3

我想区分Python 3中的方法和函数。此外,如果是方法,我想获取对应的类。我目前的解决方案是这样的:

import types
import inspect

def function_or_method(f):
    if inspect.ismethod(f):
        if inspect.isclass(f.__self__):
            print("class method")
            klass = f.__self__
        else:
            print("instance method")
            klass = f.__self__.__class__
    elif inspect.isfunction(f): # function
        if f.__name__ != f.__qualname__: # to distiguish staticmethod and function
            print("static method")
            # HOW TO GET THE CLASS
        else:
            print("function")
    else:
        print("not function or method")

class Foo():
    def bari(self):
        pass
    @classmethod
    def barc(cls):
        pass
    @staticmethod
    def bars():
        pass

def barf():
    pass

function_or_method(Foo().bari) # instance method
function_or_method(Foo.barc) # class method
function_or_method(Foo.bars) # static method
function_or_method(barf) # function

它有效,但看起来并不优雅。而且我不确定我是否遗漏了什么。有谁知道更好的解决方案?

更新1:如果是方法,我也想获得相应的类。我知道如何处理类/实例方法(参见上面的代码),但是如何获取静态方法的类?

4

2 回答 2

2

我认为更好的方法是isfunction()使用inspect.

句法:

[inspect.getmembers(<module name>, inspect.isfunction)] # will give all the functions in that module

如果您想测试单一方法,您可以通过...

inspect.isfunction(<function name>) # return true if is a function else false

有许多谓词可以与 is 函数一起使用。inspect有关清晰的图片,请参阅 Python 3 文档。

于 2013-11-13T07:03:40.097 回答
2

您只需要获取方法的类型,但由于方法是描述符,您必须:

1 - 从实例中获取类。2 - 查找方法引用__dict__而不是进行属性查找。

例如:

>>> f = Foo()
>>> type(f.__class__.__dict__['bari'])
<class 'function'>
>>> type(f.__class__.__dict__['barc'])
<class 'classmethod'>
>>> type(f.__class__.__dict__['bars'])
<class 'staticmethod'>
于 2013-11-13T06:55:16.107 回答