假设我定义了一个带有带有类型提示的类级别变量的类(例如,类似于新的python 3.7数据类)
class Person:
name: str
age: int
def parse_me(self):
"what do I do here??"
如何获取成对的(variable name, variable type)
?
答案 0 :(得分:7)
typing.get_type_hints
是另一种不涉及直接访问魔术方法的方法:
from typing import get_type_hints
class Person:
name: str
age: int
get_type_hints(Person)
# returns {'name': <class 'str'>, 'age': <class 'int'>}
答案 1 :(得分:3)
这些类型提示基于Python注释。它们可以作为__annotations__
属性使用。这适用于类以及函数。
>>> class Person:
... name: str
... age: int
...
>>> Person.__annotations__
{'name': <class 'str'>, 'age': <class 'int'>}
>>> def do(something: str) -> int:
... ...
...
>>> do.__annotations__
{'something': <class 'str'>, 'return': <class 'int'>}