Simple example of what's confusing me:
from typing import Callable, List, Union
Value = Union[bool, int, str]
Helper = Callable[[Value], List[Value]]
def func_with_alias(aa: Value) -> List[Value]:
return []
def func_with_type(aa: bool) -> List[Value]:
return []
your_func1: Helper = func_with_alias
your_func2: Helper = func_with_type
mypy complains that "your_func2" has an incompatible type:
error: Incompatible types in assignment (expression has type "Callable[[bool], List[Union[bool, int, str]]]", variable has type "Callable[[Union[bool, int, str]], List[Union[bool, int, str]]]")
Why doesn't it let me do this, as bool
is in Union[bool, int, str]
?
❯ mypy --version
mypy 0.782
Let's look at what you're saying with your type definitions:
Now the assignment that errors:
func_with_type
only accepts a boolean, but you're assigning it to a type that should be able to accept an integer or string as well.To see why that doesn't make sense, think about the following consumer of a
Helper
function:A
Helper
can take aValue
, which can either bebool
,int
orstr
, so this usage should be fine. Butfunc_with_type
only accepts abool
, so cannot be called in this way, therefore we can't consider it aHelper
.Possibly what you want is a generic function, where the generic type is constrained by the union: