.. getthecode:: annotations.py :language: python3 :hidden: ============================ Annotations and Type Hints ============================ This page contains a memo on annotations. * https://docs.python.org/3/library/typing.html#module-typing * `PEP 484 – Type Hints `_ * `PEP 483 – The Theory of Type Hints `_ Static type checker for Python: * `Mypy `_ a static type checker for Python * `PyAnnotate `_ Let a function with an a required parameter and a default one: .. code-block:: py3 def greeting(name, prefix='Mr.'): return 'Hello, {} {}'.format(name, prefix) Same function with annotations: .. code-block:: py3 def greeting(name: str, prefix: str = 'Mr.') -> str: return 'Hello, {} {}'.format(name, prefix) print(greeting.__annotations__) .. code-block:: none {'name': , 'prefix': , 'return': } A "void" function: .. code-block:: py3 def p() -> None: print('hello') Advanced types: .. code-block:: py3 from typing import Iterator def fib(n: int) -> Iterator[int]: a, b = 0, 1 while a < n: yield a a, b = b, a+b print(fib.__annotations__) .. code-block:: none {'n': , 'return': typing.Iterator[int]}