Для подсказки стандартного поведения __getitem__
используйте обобщенные c версии collections.abc
, такие как typing.Sequence
, typing.MutableSequence
, typing.Mapping
или typing.MutableMapping
.
from typing import Mapping
def get(container: Mapping, key):
return container[key]
get({1: 'one', 2: 'two'}, 2)
Чтобы ввести подсказку любой тип, поддерживающий __getitem__
, определите пользовательский typing.Protocol
с помощью желаемое поведение.
from typing import Protocol, Any
class Lookup(Protocol):
def __getitem__(self, key) -> Any: ...
def get(container: Lookup, key):
return container[key]
get(['zero', 'one', 'two'], 2)
Обратите внимание, что типы последовательности и отображения являются обобщенными c, и протокол также может быть определен как generi c.
from typing import Protocol, TypeVar
K = TypeVar('K', contravariant=True)
V = TypeVar('V', covariant=True)
class Lookup(Protocol[K, V]):
def __getitem__(self, key: K) -> V: ...
def get(container: Lookup[K, V], key: K) -> V:
return container[key]
get({1: 'one', 2: 'two'}, 2) # succeeds type checking
get({1: 'one', 2: 'two'}, '2') # fails type checking