A common complaint about the Python type system is that it is too verbose and requires too many imports. There are many concrete ideas that come up from time to time for making the syntax more concise, but these tend to run into practical problems. This document is intended to list those ideas with the problems associated with them.
The problems listed here aren’t necessarily fatal to each idea. Some of them may be minor enough that the increase in concision is worth it. Others could be worked around with a tweak to the idea. If you feel that any of these ideas is worthwhile and you have the time and energy to drive a language change, feel free to create a PEP or open a discussion on https://discuss.python.org to move it forward.
This document may be updated in the future with additional ideas and additional concerns.
Before going over ideas that probably won’t fly, it’s worth reminding ourselves of the improvements we’ve already made over the last decade of typed Python development:
typing.List and
similar objects.| to create union types.typing.Self,
replacing a common complex pattern.Allow writing a TypedDict type inline as a dictionary literal. Instead of:
from typing import TypedDict
class Movie(TypedDict):
    name: str
    year: int
def print_movie(movie: Movie) -> None:
    print(f"{movie['name']} came out in {movie['year']}")
Write:
def print_movie(movie: {"name": str, "year": int}) -> None:
    print(f"{movie['name']} came out in {movie['year']}")
Or in a type alias:
type Movie = {"name": str, "year": int}
As a bonus, this also allows using keys that are not valid identifiers, like the existing call-based syntax for creating a TypedDict.
The NotRequired and ReadOnly type qualifiers could also be used,
e.g. {"name": str, "year": NotRequired[int]}.
Note that some of the below problems can be mitigated by wrapping
the dictionary, e.g. TypedDict[{"name": str}]. The in-preparation
PEP 764 will propose this syntax.
| operator: The | operator is already defined for dictionaries,
and its behavior doesn’t match the expected behavior for unions in
the type system:
>>> {"a": int} | {"b": str}
{'a': <class 'int'>, 'b': <class 'str'>}
>>> {"a": int} | {"a": str}
{'a': <class 'str'>}
This would make it difficult to introspect annotations using unions of inline TypedDicts at runtime.
Creating a union of an inline TypedDict and a type object currently throws an error:
>>> {"a": int} | int
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: unsupported operand type(s) for |: 'dict' and 'type'
However, this is fixable by changing the implementation of __or__
and __ror__ on type objects.
Inheritance: How would the inline syntax support inheriting from another
TypedDict? The most obvious syntax that comes to mind is
{"name": str, **BaseMovie}, where BaseMovie is another TypedDict.
We’d want this to work both with TypedDicts created through typing.TypedDict
and with type aliases like type Movie = {...}. The ** operator works by
calling .keys() and then calling .__getitem__() for each key. But the
latter operation already has a meaning; it specializes a generic TypedDict
or type alias.
TypedDict keyword arguments: The class syntax for TypedDict currently
supports one keyword argument, total=False, and the draft
PEP 728 proposes adding more. It is not
obvious how these keyword arguments would be represented in the inline syntax.
Generics: If a generic inline TypedDict is defined using the old TypeAlias
syntax, like MyDict: TypeAlias = {"a": T}, it is impossible to specialize
the generic at runtime; MyDict[int] would throw KeyError. However, the native
syntax for type aliases in Python 3.12 fixes this; you could write
type MyDict[T] = {"a": T} and MyDict[int] would work as expected, because
subscripting gets handled by the type alias object, not the dict. Still, this could be
a problem for users who want to use the inline syntax and maintain compatibility
with Python 3.11 and earlier.
Allow writing (int, str) as a type instead of tuple[int, str].
A single-element tuple type would be written as (int,). Variadic
tuple types (tuple[int, ...]) could potentially be written as
(int, ...).
Presence in subscripts: In the Python AST, X[a, b] and X[(a, b)]
are represented identically. This is a problem, because with the
proposed syntax for tuple types, these two pieces of code could
represent different types: X[a, b] has two type arguments a and b,
while X[(a, b)] has a single type argument tuple[a, b].
While type checkers that use their own
parsers could distinguish these two cases, that is not possible for
type checkers that rely on the Python AST (such as mypy and pyanalyze),
and anything that introspects types at runtime also would not be able
to tell the difference.
Fixing this, so that X[a, b] and X[(a, b)] behave differently at
runtime, is difficult because it would be a backwards-incompatible
change to the language.
| operator: Tuple objects currently do not support the | operator,
used for building unions. We could add it and make it return a Union,
but it might be unintuitive for users to give this operator a typing-specific
meaning, since | works on other builtin collections (set, dict) with
very different behavior.
Generics: Generic tuple types raise similar issues as discussed for generic inline TypedDicts (above).
We could allow [int] instead of list[int], {int} instead of
set[int], and {str: int} instead of dict[str, int].
Conflict with TypedDict syntax: The dict part of this idea conflicts
with the suggested inline syntax for TypedDicts above. Not necessarily
a problem since both are hypothetical, but it does mean that we can pick
only one. (Why can’t we allow both? {"int": str} could represent a
dict[int, str], because type expressions may be strings, or it could be
a TypedDict with a single item.)
| operator: This operator represents a union in the type system.
However, sets and dicts already define this operator with conflicting
semantics. Lists don’t, and we could in theory make [int] | [str] return
Union[[int], [str]], but adding that operation to such a basic type would
be confusing for users.
Hashability: Lists, sets, and dicts are not hashable. Various parts of the
typing.py runtime implementation rely on hashability for efficiently
deduplicating and caching typing-related objects. There are fallbacks for
non-hashable types, but they are much slower.
Hashability, again: The proposed syntax for set and dict literals requires
the inner type to be hashable (only the key type for dicts). While most type
forms are hashable, this is not universally true. For example, Annotated
metadata may not be hashable.
Bad incentives: This is a more subjective one. Style guidance often
suggests using abstract, covariant types, such as Sequence or Mapping,
instead of concrete, invariant ones like list or dict. Providing overly
native-feeling syntax for list, set, and dict types goes against this advice.
The most convenient option should be the best one.
Three common typing-related objects have similar names to existing builtin functions. What if we allowed users to use the builtin functions in type expressions?
x: any  # instead of typing.Any
y: iter[str]  # instead of collections.abc.Iterable[str]
z: callable[[str], int]  # instead of collections.abc.Callable[[str], int]
Muddying the waters: Functions are not valid in type expressions. Special-casing a few builtin functions for this would be confusing for users.
Implementation complexity: For this idea to work, the iter and callable
builtins would have to be made subscriptable. There is an open proposal
to make all functions subscriptable (PEP 718).
If that is accepted, subscripting would work, though there might be room for
confusion because its meaning would be different for these functions than for
functions in general. Without PEP 718, we might have to add a new kind of builtin function just
for iter and callable, so we can add subscription support. Not out of the question,
but it makes the language core more complicated.
Similarly, these functions would have to support the | operator.
Iterable or iterator: It’s not clear whether iter would mean Iterable
or Iterator. Iterable is more commonly useful in types, but the iter()
function returns an Iterator, so maybe Iterator would be more consistent.
Since both interpretations are plausible, users will be confused.
Potential conflicting interpretation: There have also been suggestions to make a function object valid in a type expression, representing the callable type of the function. These two ideas would conflict.
Instead of writing Literal[], why not allow writing literal objects
directly as themselves, such as using 1 | 2 instead of Literal[1, 2].
Note that the typing spec allows the following types inside Literal[]:
strbytesintboolNone| operator: Ints, bools, and some enums already support the | operator
in a conflicting meaning: 1 | 2 evaluates at runtime to 3. This would
make it impossible to introspect such literal types at runtime.
str and bytes do not currently support | and it could be added with a
typing-specific meaning, but as discussed in other ideas above, this would
likely be confusing for users.
This problem is especially acute for this idea because literals very frequently
show up in unions, and because the runtime optimizes away the | operator when
used on literals, so even an approach that looks at bytecode cannot recover the
original literals.
Confusion with stringified annotations: Strings already have a meaning in annotations:
they represent stringified annotations, which type checkers are supposed to
(conceptually) call eval() on. Making bare strings mean Literal types
would conflict with this existing meaning.
We have to use an awkward syntax with Callable to write out callable types;
why can’t we use native syntax like (int) -> bool?
This was proposed in PEP 677, and it is instructive to review the rejection message:
- We feel we need to be cautious when introducing new syntax. Our new parser presents understandably exciting opportunities but we don’t want its existence to mean we add new syntax easily. A feature for use only in a fraction of type annotations, not something every Python user uses, did not feel like a strong enough reason to justify the complexity needed to parse this new syntax and provide meaningful error messages. Not only code complexity, humans are also parsers that must look forwards and backwards.
Adding syntax is (and should be!) hard because it doesn’t affect just the rules type checkers use to parse types, but the complexity of the entire language. A useful contrast is with PEP 695, which also introduced typing-specific syntax—rather a lot of it, in fact—but was accepted. The difference appears to have been that PEP 677 proposed pure syntactic sugar, while PEP 695 made improvements to concepts that were difficult to even express in the old syntax: type variable scoping and explicit variance.
- While the current Callable[x, y] syntax is not loved, it does work. This PEP isn’t enabling authors to express anything they cannot already. The PEP explicitly chose be conservative and not allow more syntax to express features going beyond what Callable supports. We applaud that decision, starting simple is good. But we can imagine a future where the syntax would desire to be expanded upon.
This was an important issue to consider while preparing the PEP: should it
aim to cover only things that are already possible with Callable, or should
it expand to cover kinds of callables that Callable cannot currently support?
For example, the PEP could have proposed syntax like (int, str = "") -> bool
to support signatures with defaults, or (int, *, name: str = "") -> bool
to support named, keyword-only parameters. Such signatures can currently only
be expressed with callable protocols, which are very verbose. Expanding the
PEP with such syntax would have made it more powerful, but would also have
increased the complexity of the grammar changes.
In the years since the PEP was rejected, we ended up
expanding the spec
to support a syntax that PEP 677 would have disallowed: Callable[Concatenate[int, ...], str],
denoting a callable that takes a single int, followed by arbitrary other arguments.
PEP 677 only allowed
... as the sole element of the call signature.
- In line with past SC guidance, we acknowledge challenges when syntax desires do not align between typing and Python itself. Each time we add syntax solely for typing it shifts us further in the direction of typing being its own mini-language so we aim to tread lightly in what gets added here. Adopting PEP 677 would lock us into its syntax forever, potentially preventing other future syntax directions.
Syntactic changes are hard in part because they are effectively permanent. If we want to add syntax for the benefit of typing, it needs to be not just solidly motivated but also well integrated into the rest of the language.
- We did not like the visual and cognitive consequence of multiple
->tokens in a def. Especially when code is not formatted nicely. Though we admit the correlation between Python typing and formatter users is high.
Quoting a few examples from the PEP:
def f() -> (int) -> (str) -> bool: pass
def f() -> (int, str) -> bool: pass
(int) -> (() -> int) | (() -> bool)
The PEP includes these as examples for illustrating how precedence works, but they certainly do look awkward.
These are the equivalent types expressed with Callable:
def f() -> Callable[[int], Callable[[str], bool]]: pass
def f() -> Callable[[int, str], bool]: pass
Callable[[int], Callable[[], int] | Callable[[], bool]]
Any future proposal to improve the syntax for callable types should look carefully at PEP 677 and why it was rejected. It should explain why the new syntax makes typing easier to use, and also propose a syntax that integrates well into the rest of the language. What such a proposal would look like I cannot say.
A common theme in this document is that adding the feature would make it more difficult to introspect type annotations at runtime. Those problems generally do not matter for purely static type checkers, which either look only at the AST or have their own dedicated parser. However, the fact that types in Python are introspectable at runtime is a unique and powerful feature. Popular libraries such as dataclasses, Pydantic, and FastAPI rely on accessing annotations at runtime.
Still, there may be ways to get the best of both worlds and allow more flexible syntax in annotations, while still allowing runtime introspection. The new tools provided by PEP 649 and 749 in Python 3.14 should help here. It’s worth noting, though, that types can still appear outside of annotations in a number of contexts.
If you know of another idea that belongs on this list, or another technical problem that should be discussed, feel free to open an issue or PR on JelleZijlstra.github.io about it.
Remember though that this document is meant purely as a list of technical concerns, not as a discussion forum.