装饰实例方法/类方法的 Python 装饰器是否有可能知道函数将绑定到的类?

问题描述

对于顶级函数

def wrap(f: Callable) -> Callable:
    # Some logic
    return f

当这样的函数被用来修饰在 class 主体中定义的另一个函数时:

class SomeClass:
    @wrap
    # may also be a @classmethod
    def some_method(self,*args,**kwargs):
        pass

是否可以在 wrap 函数内以某种方式检查传入的方法(在本例中为 SomeClass.some_method)并检索 SomeClass 的类型对象?

我尝试在运行时使用调试器检查 f,但我能从 f 中找到的唯一相关信息是 __qualname__ 属性,它包含类名字。


如果您想知道我为什么要这样做:我正在尝试创建某种基于某个类的方法名称方法都是属性)的模式,并将此模式存储在一个 dict 我希望键是类对象本身。用类型签名表示:

SchemaSource = TypeVar('SchemaSource',bound=Any)
Method = Callable[...,Any]  # will be bound to SchemaSource
Schema = Dict[Type[SchemaSource],Dict[str,Method]]

当然,我可以稍后检查类 __dict__,或者使用例如 __init_subclass__ 钩子,但是因为我想在架构中包含一些方法,所以我认为装饰函数会是通过单一来源提供此信息的好方法

解决方法

正如 jasonharper 所提到的,在调用装饰器时该类还不存在,因此它接收的函数只是一个常规函数(除了它的名称提到了它将绑定到的类) ).


对于我的问题,我最终采用了 attrs 样式,并使用了额外的装饰器来装饰类。

def include(f: Callable) -> Callable:
    """Add function `f` to SchemaBuilder."""
    SchemaBuilder.append(f)
    return f

class SchemaBuilder:
    records: Dict[Type,Dict[Callable,Any]] = {}
    temporary: List[Callable] = []

    @classmethod
    def append(cls,f: Callable):
        """Temporarily store the method in a list."""
        cls.temporary.append(f)

    @classmethod
    def register(cls,target_cls: Type):
        """Associate all methods stored in the list with `target_cls`.

        We rely on the fact that `target_cls` will be instantiated
        (and thus this method called) as soon as all of its (immediate)
        methods have been created.
        """
        cls.records[target_cls] = {k: None for k in cls.temporary}
        cls.temporary = []

# In use:

@SchemaBuilder.register  # called later
class SomeClass:
    @property
    @include  # called first
    def some_property(self):  # will be included
        pass

    @property
    def some_other_property(self):  # will not be included
        pass