类型别名
# 类型别名
infoType = Dict[str, Any]
people: infoType = {"info": 1} # 有些类型名很长所以用类型别名
perple: Dict[str, Any] = {"info": 1} # 可以看出与上面使用类型别名infoType的people作用相同
联合类型 即可选
flag: Union[bool, int] = 1 # 也就是可以是[]中的任一,
flag: Union[bool, int] = True
可选类型 可以为none,不为None的话必须是int等限定类型
my_optional: Optional[int] = None
-> str返回值的类型(前面都是参数的类型,这里讲返回值类型)
def func(a: int) -> str:
return str(a)
可调用类型 Callable
def example_func(number: int, text: str = "default") -> str:
return f"Number: {number}, Text: {text}"
def hello(func: Callable[[int, str], str]):
return func(13, "1")
result = hello(example_func)
print(result)
创建新类型
UserId = NewType("UserId", int)
uuid: UserId = 1
泛型:在运行的时候根据用户传入类型决定类型
T = TypeVar("T")
# 泛型类
class Info(Generic[T]):
def __init__(self, value: T):
self.info = value
aa = Info(value=1)
print(aa.info)
获取参数的类型信息
print(get_type_hints(example_func))
>>>
{'number': <class 'int'>, 'text': <class 'str'>, 'return': <class 'str'>}
源码中有 *
和/
什么意思?
先说 *
,下面hello1函数中的参数,*
代表其后面的age参数在对函数进行调用的时候传参一定是以关键字的形式传入才可以。
def hello1(name, *, age):
print(name, age)
hello1(12, age=11)
再看/
啥意思,下面的hello2种的参数,/
代表其前面的参数为位置参数,不用传k了(卧槽,这好像和不放 /
效果一样。。。)
def hello2(name, /, age):
print(name, age)
hello2(12, 13)
hello2(12, age=13)
# hello2(name=12, age=13) ## 错误❌
标签:func,int,age,标识,str,typing,类型,def
From: https://www.cnblogs.com/honeyShi/p/17969860