列出函数/方法的参数,并在Python 3中跳过“self”

时间:2015-01-05 10:48:38

标签: python python-3.x methods self

请考虑以下代码:

args, varargs, varkw, defaults = inspect.getargspec(method)
if inspect.ismethod(method):
    args = args[1:]    # Skip 'self'

在Python 2上运行此操作并使用 self 添加内容时,将跳过 self (如注释中所述)。在Python 3上,我在使用Class.method上的代码时遇到了麻烦(即不是instance.method)。问题类似于Detecting bound method in classes (not instances) in Python 3,但没有答案可行。使用inspect.isroutine()inspect.isfunction()会破坏非方法的代码(无自我)。使用hasattr(method, '__self__')不适用于Class.method

我为此编写了一个小测试文件:

from __future__ import print_function
import inspect


def args_without_self(method):
    args, varargs, varkw, defaults = inspect.getargspec(method)
    if inspect.ismethod(method):
        args = args[1:]    # Skip 'self'
    return args


class Class(object):

    def method(self, a, b, c):
        pass

    @staticmethod
    def static(a, b, c):
        pass

    @classmethod
    def classmethod(cls, a, b, c):
        pass


def function(a, b, c):
    pass

instance = Class()

print(args_without_self(Class.method))
print(args_without_self(instance.method))
print(args_without_self(Class.static))
print(args_without_self(instance.static))
print(args_without_self(Class.classmethod))
print(args_without_self(instance.classmethod))
print(args_without_self(function))

代码适用于Python 2和3.但是{3}在Python 3中也有 self (我想避免这种情况,但不要破坏其他代码)。 Everythign应打印args_without_self(Class.method)

1 个答案:

答案 0 :(得分:5)

你不能在Python 3上检测类的方法,因为它们从不绑定。它们只是常规功能。

最多可以查看他们的qualified name guess (如果他们可能是方法),然后查看第一个参数是否命名为self。启发式和猜测,换句话说:

if inspect.isfunction(method) and `.` in method.__qualname__ and args[0] == 'self':
    args = args[1:]    # Skip 'self'