定义(非类)类型的Python方法是什么:
typedef Dict[Union[int, str], Set[str]] RecordType
这样就可以了?
from typing import Dict, Union, Set
RecordType = Dict[Union[int, str], Set[str]]
def my_func(rec: RecordType):
pass
my_func({1: {'2'}})
my_func({1: {2}})
此代码将在第二次调用
my_func
时从 IDE 生成警告,但在第一次调用时不会。正如 @sahasrara62 所指出的,更多信息请参见此处 https://docs.python.org/3/library/stdtypes.html#types-genericalias
由于当前 Python 3.12 仍然支持这个答案,请注意,从 Python 3.9 开始,首选语法是:
from typing import Union
RecordType = dict[Union[int, str], set[str]]
内置类型可以直接用于类型提示,不再需要添加导入。
如果用户寻找独特标称类型定义:
from typing import Dict, Union, Set, NewType
RecordType = Dict[Union[int, str], Set[str]]
DistinctRecordType = NewType("DistinctRecordType", Dict[Union[int, str], Set[str]])
def foo(rec: RecordType):
pass
def bar(rec: DistinctRecordType):
pass
foo({1: {"2"}})
bar(DistinctRecordType({1: {"2"}}))
bar({1: {"2"}}) # <--- this will cause a type error
此片段演示了只有显式转换才可以。
$ mypy main.py
main.py:14: error: Argument 1 to "bar" has incompatible type "Dict[int, Set[str]]"; expected "DistinctRecordType"
Found 1 error in 1 file (checked 1 source file)