171

似乎找不到明确的答案。我想为一个函数做一个类型提示,类型是我定义的一些自定义类,称为它CustomClass()

然后让我们说在某个函数中,调用它FuncA(arg),我有一个名为 的参数arg。输入提示的正确方法FuncA是:

def FuncA(arg: CustomClass):

或者会是:

from typing import Type

def FuncA(Arg:Type[CustomClass]):
4

2 回答 2

204

前者是正确的,如果arg接受以下实例CustomClass

def FuncA(arg: CustomClass):
    #     ^ instance of CustomClass

如果你想要CustomClass本身(或子类型),那么你应该写:

from typing import Type  # you have to import Type

def FuncA(arg: Type[CustomClass]):
    #     ^ CustomClass (class object) itself

就像它写在关于Typing的文档中一样:

class typing.Type(Generic[CT_co])

带有注释的变量C可以接受 type 的值C。相比之下,带有注释的变量Type[C]可能接受本身就是类的值- 具体来说,它将接受 的类对象C

该文档包含一个带有int该类的示例:

a = 3         # Has type 'int'
b = int       # Has type 'Type[int]'
c = type(a)   # Also has type 'Type[int]'
于 2017-06-20T22:36:01.727 回答
6

Willem Van Onsem 的回答当然是正确的,但我想提供一个小的更新。在PEP 585中,在标准集合中引入了类型提示泛型。例如,虽然我们之前不得不说 eg

from typing import Dict

foo: Dict[str, str] = { "bar": "baz" }

我们现在可以放弃typing模块中的并行类型层次结构,简单地说

foo: dict[str, str] = { "bar": "baz" }

此功能在 python 3.9+ 中可用,如果使用from __future__ import annotations.

就这个特定问题而言,这意味着from typing import Type我们现在可以使用内置的 来简单地注释类type

def FuncA(arg: type[CustomClass]):
于 2021-08-04T22:34:17.340 回答