Today I learned about the Python 3.12 type statement you can use to create type aliases.

type statement and type aliases

Python 3.12 introduced the soft keyword type, which is used in the type statement to create type aliases. The type statement offers a more convenient and powerful way of creating type aliases and it supersedes typing.TypeAlias.

In its simplest form, the type statement is composed of the type keyword, the name of the type alias you are creating, and the type you are aliasing. The example below shows how to create a type alias called Point that is the same as a pair with two floats:

type Point = tuple[float, float]

Before the introduction of the type statement, you could create a type alias via a regular assignment:

Point = tuple[float, float]

You could also annotate Point with typing.TypeAlias to make it clear that you were creating a type alias:

from typing import TypeAlias

Point: TypeAlias = tuple[float, float]

So, why do we care about the type statement?

Forward references

One of the advantages of the type statement is that it supports forward referencing without having to quote the names of the types you are refering to. This is possible because the type value is lazily evaluated.

For example, suppose we want to create a recursive type for a linked list, where a linked list is a tuple with two elements: an integer and a linked list (the remainder of the linked list). In 3.12, you could write it as such:

type LinkedList = tuple[int, LinkedList]

The self-reference works just fine, and so does the forward reference of the example below:

type A = tuple[B, C, D]
type B = int
type C = str
type D = list[str]

In Python 3.11 and earlier, you'd have to quote the forward references or the self-reference of the first example, like so:

from typing import TypeAlias

LinkedList: TypeAlias = tuple[int, "LinkedList"]

A: TypeAlias = tuple["A", "B", "C"]
B: TypeAlias = int
C: TypeAlias = str
D: TypeAlias = list[str]

Generic type aliases

Type aliases can also be made generic. For example, the linked list could be a linked list of any kind of value we want, not just integers.

We could type the linked list like so:

type LinkedList[T] = T | tuple[T, LinkedList[T]]

This means that a linked list is either a value of its type T or it is a pair with a value and a linked list.

For example, the variable ll below defines a linked list of integers:

ll: LinkedList[int] = (42, (73, (10, (16, 0))))

This is just the tip of the iceberg. Generics were also improved in Python 3.12, so there's even more you can do. You can take a look at the references below to learn more about this.

Become a better Python 🐍 developer πŸš€

+35 chapters. +400 pages. Hundreds of examples. Over 30,000 readers!

My book β€œPydon'ts” teaches you how to write elegant, expressive, and Pythonic code, to help you become a better developer. >>> Download it here πŸπŸš€.

References

Previous Post Next Post

Blog Comments powered by Disqus.