使用 mypy,我如何键入注释一个装饰器,该装饰器装饰一个接受某些东西的子类的函数?

With mypy, how do I type annotate a decorator that decorates a function that accepts a subclass of something?

对于完整的上下文,我希望制作一些装饰器来为测试做更好的静态分析。在理想的世界中,它会像这样工作:

class SomeTest(unittest.TestCase):
    @login_decorate
    def test_login(self):
        reveal_type(self.user)  # type: User

    @anonymous_decorate
    def test_anonymous(self):
        reveal_type(self.user)  # type: None

为了开始,我试图创建一个看起来像这样的装饰器:

def login_decorate(func: Callable[[unittest.TestCase], None]):
    def decorated_function(self: unittest.TestCase):
        self.user = User()
        return func(self)
    return decorated_function

但是当我 运行 mypy 我得到这个错误:

error: Argument 1 to "login_decorate" has incompatible type "Callable[[SomeTest], None]";
expected "Callable[[TestCase], None]"

稍微考虑一下后,我同意这是 mypy 的正确行为,因为逆变,但这并不能帮助我解决我的问题。

有什么方法可以让装饰器优雅地工作而无需使用 Any 显式修改类型?

你说得对,mypy 检查失败是因为 Callable 是逆变的。 它可以通过使用类型变量来修复。

import unittest
from typing import Callable, TypeVar

T = TypeVar('T', bound=unittest.TestCase)


def login_decorate(func: Callable[[T], None]):
    def decorated_function(self: T):
        ...
        return func(self)
    return decorated_function


class SomeTest(unittest.TestCase):
    @login_decorate
    def test_login(self):
        ...