列出 function/method 的参数并跳过 Python 中的 'self' 3

List arguments of function/method and skip 'self' in Python 3

考虑以下代码:

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。但是 args_without_self(Class.method) 在 Python 3 中也有 self(我想避免这种情况,但不要破坏其他人)。 Everythign 应该打印 ['a', 'b', 'c'].

您无法在 Python 3 上检测 class 上的方法,因为它们 从未绑定 。它们只是常规函数

顶多看看他们的qualified name猜想是不是方法,然后看第一个参数是不是命名为self。启发式和猜测,换句话说:

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