pwshub.com

Structural Pattern Matching in Python

Structural pattern matching is a powerful control flow construct invented decades ago that’s traditionally used by compiled languages, especially within the functional programming paradigm.

Most mainstream programming languages have since adopted some form of pattern matching, which offers concise and readable syntax while promoting a declarative code style. Although Python was late to join the party, it introduced structural pattern matching in the 3.10 release.

In this tutorial, you’ll:

  • Master the syntax of the match statement and case clauses
  • Explore various types of patterns supported by Python
  • Learn about guards, unions, aliases, and name binding
  • Extract values from deeply nested hierarchical data structures
  • Customize pattern matching for user-defined classes
  • Identify and avoid common pitfalls in Python’s pattern matching

To get the most out of this tutorial, you should have a basic understanding of conditional statements, loops, functions, and classes in Python. Additionally, familiarity with Python’s built-in data structures, such as tuples, lists, and dictionaries, will be beneficial.

Take the Quiz: Test your knowledge with our interactive “Structural Pattern Matching” quiz. You’ll receive a score upon completion to help you track your learning progress:


Interactive Quiz

Structural Pattern Matching

In this quiz, you'll test your understanding of structural pattern matching in Python. This powerful control flow construct, introduced in Python 3.10, offers concise and readable syntax while promoting a declarative code style.

Getting to Know Structural Pattern Matching

Before taking advantage of structural pattern matching in your code, make sure that you’re running Python 3.10 or later, as you won’t be able to use it in earlier Python versions. Note that although the name structural pattern matching is often shortened to just pattern matching, the qualifier structural is crucial to understanding the use cases for this feature. In this section, you’ll get a high-level overview of structural pattern matching.

What Is Pattern Matching?

You can think of pattern matching as a form of syntactic sugar built on top of existing language constructs, including conditional statements and tuple unpacking. While you can absolutely live without pattern matching, it gives you new superpowers, making this feature more convenient than the conventional syntax in some situations.

Pattern matching often leads to more elegant, concise, and readable code written in a declarative style. To get a taste of it, take a quick look at the following example without trying to fully understand how it works just yet:

The match statement takes a subject, which can be any valid Python expression, such as a string literal or a function call, and compares the resulting value to one or more patterns listed in the case clauses. The first pattern that matches the given subject will trigger the corresponding case block to run. You’ll learn more about the match statement and case clauses later in this tutorial.

At first glance, the syntax of structural pattern matching in Python looks a bit like the switch statement found in the C-family programming languages if you squint your eyes:

This resemblance is deceptive, though. The classic switch statement controls the execution flow based on the exact value stored in a variable. It effectively works as a chained sequence of mutually exclusive if..elif... equality comparisons, but with a more succinct and readable syntax.

Although you can use pattern matching this way, you’d be missing out on its true power and flexibility. Structural pattern matching was designed to go beyond value comparisons. In particular, it combines conditional statements or branching based on a logical predicate with destructuring or object deconstruction, which is the inverse of object construction. You’ll see examples of destructuring in the next section.

The brief code snippet above merely scratches the surface of what you can achieve with pattern matching, but it already shows you its expressiveness, especially when you compare it with the traditional if...elif... statements and isinstance() checks. Here’s one of the many ways you can implement the equivalent logic using standard Python:

This code is functionally identical to the previous version but is longer and has more indentation levels than before. Additionally, it looks more verbose and imperative in style, describing not only what to do but also how to perform the individual steps. Granted, you could try making it slightly shorter by using the Walrus operator and following the EAFP principle without explicit checks, but it’d remain somewhat convoluted.

It’s worth noting that structural pattern matching first emerged in compiled functional languages with static typing. The attempt to implement it in Python, which is a dynamic language, presented completely new and unique challenges. You can read more about them in the paper entitled Dynamic Pattern Matching with Python, which was co-authored by Guido van Rossum and published in the proceedings of the Dynamic Languages Symposium in 2020.

Now that you’ve seen the most basic form of pattern matching in Python, it’s time to unravel the meaning of a structural pattern.

What Is a Structural Pattern?

Python supports several types of structural patterns, which you’ll explore in detail throughout this tutorial. Each pattern describes the structure of an object to match, including its type, shape, value, and identity. It can also specify the individual pieces of which an object is made. For example, you may want to define a pattern that will match three-dimensional points that lie on the z-axis:

The pattern defined in the case clause above will match a numeric list of size three whose last element is equal to zero. This concise pattern matching encapsulates the same logic as the following much longer code snippet:

As you can see, structural patterns let you express intricate conditional logic clearly and precisely. Their second but equally important trait is selective data extraction from complex data structures. In this case, your pattern unpacks the first two values from the matched list and binds them to the x and y variables.

A common point of confusion about structural patterns is that they look familiar to most Python programmers but mean something completely different in the context of pattern matching. A pattern is not your typical expression. Although it looks like an object literal or a class constructor, it doesn’t actually instantiate a new object. Here’s an example leveraging a data class to illustrate this:

The User("Alice") expression in the match statement does indeed create a new User instance, but a similarly looking User("Bob") pattern in the case clause doesn’t. Whether a piece of code becomes an expression or a structural pattern depends on where you put it. In particular, whatever follows a case clause is always interpreted as a pattern.

Patterns represent a relatively little-known concept in Python: object deconstruction or destructuring, which means pulling apart structured data. Before Python 3.10, you had only a handful of ways to deconstruct compound objects like sequences and mappings, such as these:

ActionExample
Unpack an iterablehead, *middle, tail = range(10)
Unpack and merge dictionaries{**headers, **cookies}
Access an item by indexlast_item = items[-1]
Access a value by keypath = os.environ["PATH"]
Access an attribute by namedate = datetime.date

Structural patterns extend this idea by adding a few more destructuring techniques to the list, albeit strictly in the context of pattern matching. This is different from some other programming languages, which allow you to destructure objects without conditional matching.

If you’ve ever dipped your toes into JavaScript, then you’re probably familiar with destructuring assignments, which can streamline the extraction of values from arbitrary objects:

In this example, you extract the values corresponding to the .name and .age attributes of a user-defined Person type. Later, you’ll learn how to take advantage of similar patterns in Python.

Upon closer inspection, a structural pattern is the opposite of object construction. It’s the “left side” of the assignment statement, conceptually similar to tuple unpacking:

The a, b, and c variables in the code snippet above appear to the left of the assignment operator (=), making them the target of that assignment. The x, y, and z variables in the case clause serve a similar purpose, acting as placeholders for values matched from the subject.

However, there’s a subtle difference. Unpacking is unconditional, meaning that it can fail, whereas pattern matching is conditional, so it’ll only run if the pattern matches the subject. Consider the following example:

The unpacking operation fails with an error this time because there aren’t enough values to assign to the variables. The range() function generates only two numbers, while the unpacking expects three values, resulting in a ValueError. An attempt to destructure the same object into too many variables never runs because the corresponding pattern doesn’t succeed, letting your program continue without interruption.

At this point, you should have a rough idea of how structural pattern matching works. But, if you’re new to this concept, then it still might not be entirely clear how to apply pattern matching in the wild and what use cases it fits best.

When to Use Structural Pattern Matching?

The answer to when to use pattern matching is right there in its name: structural pattern matching. In short, you should use pattern matching when you want to make a decision based on the structure of complex data and possibly destructure it at the same time. This approach can help you adopt a more declarative coding style, which is especially beneficial if you’re following the functional programming paradigm:

Although not purely functional in style, this example leverages two match statements nested one in another to handle different types of resources based on their structure. If the first resource is a Python dictionary with a "protocol" key equal to either "http" or "ftp" and has a "full_url" key, then you retrieve the file from that URL. Upon successful retrieval, you read and return the content of the resulting temporary file.

In contrast, if you’re making a decision based on complex business rules that require a lot of computation, especially if the conditions are non-exclusive or incremental, then you may be better off choosing a different language construct. There are some well-established and usually more appropriate idioms in Python for such scenarios, like a chain of if...elif... statements:

This function calculates the shipping cost based on several factors, including the order’s priority, whether it’s domestic or international, the delivery distance, and the weight of the package. It also adjusts the cost based on the VAT rate of the destination country if it applies. Codifying this logic with pattern matching would prove cumbersome.

As a rule of thumb, try to avoid using pattern matching as a switch statement replacement. A popular method to emulate the switch statement in Python involves a dictionary-based jump table, which you can use to implement dynamic dispatch:

Here, you use a Python dictionary to map string representations of binary operators to their corresponding functions from the operator module. If the provided operator isn’t defined in the dictionary, then you default to a lambda expression that always returns None. This method lets you extend the dictionary with additional operators if necessary.

By the end of this tutorial, you’ll have discovered numerous practical use cases for pattern matching through concrete examples. Some of them include parsing deeply nested hierarchical data like JSON, processing user input, or traversing recursive data structures, such as abstract syntax trees (AST). But, before diving into these examples, you should first have a better understanding of the syntax and semantics of pattern matching.

Understanding the New Syntax and Semantics

The syntax of structural pattern matching in Python was heavily inspired by languages like Scala and Rust. This was intentional so that developers who are familiar with popular programming languages can immediately feel at home. Take a look at the following image to compare the syntactical differences and similarities between these languages:

The Pattern Matching Syntax in Scala, Rust, and Python

You can also expand the collapsible section below to reveal the sample factorial implementation in text format, as shown in the screenshot:

Scala implementation of the factorial function:

Rust implementation of the factorial function:

Python implementation of the factorial function:

Note that these different implementations are all equivalent.

Besides drawing inspiration from other programming languages, Python’s pattern matching builds on top of the existing syntax for sequence unpacking. In this section, you’ll examine the new keywords and concepts introduced in this feature.

Soft Keywords in Python 3.10 and Later

To facilitate the use of pattern matching in Python, the interpreter itself had to undergo significant changes. Python 3.9 introduced the concept of soft keywords, and Python 3.10 delivered their first implementation. Standard keywords like with or return are reserved, meaning that you can’t use them as identifiers for your variables, functions, and other elements in your code. As soon as you try, you’ll encounter a syntax error:

In this case, .class isn’t allowed as an attribute name because it’s a keyword reserved for defining Python classes only. To circumvent this limitation, you can rename the attribute by appending a trailing underscore (_), which is a common practice in Python.

On the other hand, soft keywords are contextual. They act as keywords only in specific contexts. This new capability was made possible thanks to the introduction of the PEG parser in Python 3.9, which changed how the interpreter reads the source code. For instance, since Python 3.12, type becomes a keyword when you use it as a type alias definition, but it behaves as a regular identifier everywhere else:

Although type() also happens to be a built-in function, which you can use for type checking or making new data types at runtime, it’s technically a valid identifier for user-defined symbols as well.

This lenient naming policy allows new keywords to be added into the language without breaking existing code. Back in Python 3.5, when async def syntax (PEP 492) was introduced, the language tokenizer had to be modified to treat async and await as keywords only in certain contexts. This ensured backward compatibility with legacy code that used these common words as identifiers, like so:

When the async parameter is equal to True, this function returns immediately with a list of future objects that you can await by calling as_completed(). Otherwise, the function works synchronously by blocking the current thread of execution until all requests are completed.

The change in Python’s tokenizer was a one-time workaround to allow for an interim deprecation period before async and await finally became reserved keywords in Python 3.7. This resulted in making the above code syntactically incorrect going forward.

The idea behind soft keywords aims to achieve similar benefits without resorting to dirty hacks. The authors of pattern matching in Python picked the match keyword because it was widely used for that purpose in many other programming languages.

Unfortunately, the standard-library module for regular expressions already contained a function named match(), which wouldn’t be allowed anymore, necessitating breaking changes. Additionally, it’s become idiomatic to assign the result of re.match() to a variable called match. This is a common pattern, so making match a hard keyword would cause widespread disruption in existing codebases. So, it was decided to make match a soft keyword instead.

With soft keywords in place, you can reuse the same name more than once on a single line of code without ambiguity. Depending on the color theme of your choice, most IDEs and code editors should display each instance of match using distinct colors to differentiate their meaning:

Pattern Matching and Regular Expressions

The screenshot above depicts a fragment of code in PyCharm with the Xcode Light theme selected. The first occurrence of match is in purple to indicate it’s a keyword, followed by a match variable in black, and a match function call in teal. You can expand the collapsible section below to reveal the code snippet in text format:

Although this is perfectly valid Python, it might look confusing even to those familiar with the nuances of pattern matching, regular expressions, and the Walrus operator. In general, you should find ways to avoid such “clever” code.

If you’re unsure whether a particular word is a reserved keyword in your current Python version, then you can always check by using the standard-library keyword module:

As of Python 3.12, there are thirty-five reserved keywords and only four soft keywords in Python, three of which are related to pattern matching. The underscore character (_) is one of them.

The underscore is a valid identifier that has had many conventional meanings in Python, including:

  • Unused variables that linters should ignore without complaining
  • Throwaway variables in loops and other constructs
  • The last evaluated expression in a Python REPL
  • Alias of the multilingual translation function like gettext()

Now, it’s adopted yet another meaning. In the context of pattern matching, an underscore represents the wildcard pattern typically used as a default catch-all case. The other two keywords associated with pattern matching are match and case, which you’ll learn about next.

Match Statement and Case Clauses

Imagine you wanted to build a bare-bones Python REPL, which takes user input and interprets the entered line of code. Pattern matching is the perfect tool for such a task. To keep things simple, you’ll only allow statements that can fit on a single line. However, for a more complete solution that offers multiline code block support, scroll down and expand the collapsible section at the end of the next section.

Okay. Define your first match statement followed by an expression, which is called the subject value, and a colon (:) to start a new block of code:

In this case, you call the built-in input() function with the snake emoji prompt represented as a Unicode escape sequence. The value returned from the function is your subject.

The body of the match statement can only consist of a non-empty sequence of case clauses. You’re not allowed to use any other types of statements inside the match code block. That includes the pass statement and the ellipsis literal (...). Furthermore, you must place at least one case clause followed by a structural pattern and a colon, which starts another nested block of code:

Here, you use a literal pattern, which matches the exact string "help". If the user types the help command at the prompt, then you display a message indicating their current Python version in response:

More often than not, you’ll collapse each block belonging to a case clause into a single line of code while calling some function to delegate the execution:

This practice can make your code look more concise and easier to follow.

Note that you’re not restricted to the global scope when it comes to using pattern matching. You can declare the match statement anywhere in your code, for example, within a nested code block in a function:

The code above follows the name-main idiom by calling the main() function at the bottom of the file. This function runs an infinite loop, which continuously prompts the user for input without the possibility to gracefully terminate the program, not even by raising an exception.

To let the user break out of the loop, you must handle another command, such as exit or quit. You should also avoid a bare except: clause to allow the built-in system exceptions to propagate:

You use the vertical bar (|) to combine two subpatterns into a union, which is a neat way to avoid code duplication. By having Python match one of the alternatives, you reuse a code block common to multiple patterns. In this case, they’re both literal patterns.

Now, you have a basic program that your users can interact with. It’ll continue running until the user types either exit or quit:

Notice, however, that your commands are case-sensitive. If the user types EXIT instead of exit, then nothing happens. One way to address this issue is by having a cascade of nested match statements:

The outer match statement has only one case clause, which matches a string as long as it’s in the list of recognized commands. On the other hand, the subject of the inner match statement is the matched command converted to lowercase so that you can handle input regardless of its original casing. The if statement after the pattern is an optional guard, which you’ll take a closer look at later.

The default Python REPL intercepts the KeyboardInterrupt exception raised in response to pressing Ctrl+C. Additionally, it lets you quickly close the current session by pressing Ctrl+D, which sends the end-of-file (EOF) control character. You can handle both situations as shown below:

Okay. Your script is slowly shaping up into a decent Python REPL. But, since you haven’t executed any Python code yet, it’s time to fix that now. Along the way, you’ll learn how Python chooses a case clause to execute for a given subject.

Precedence of Structural Patterns

So far, you’ve mainly encountered mutually exclusive patterns that correspond to disjoint sets of subject values. As a result, you were free to arrange these patterns in any order without causing ambiguity in the matching process. However, Python also allows you to specify overlapping patterns that will simultaneously match the same subject. That’s where order starts to matter, as it can change the behavior of your program if you’re not careful.

Go ahead and add another case clause to your outer match statement, which will execute a Python statement:

If the user input doesn’t match one of your predefined commands, then you assume it might represent a line of Python code. To be sure, you define a capture pattern, which binds the entered value to a variable named statement. Next, you pass that statement to a helper function called valid(), which you defined below, right after the main() function.

This function uses the ast module to parse the source code and determine if it’s valid. Finally, you call exec() to execute the provided code snippet upon a successful match.

When you give your REPL another spin, this is what you’ll get:

When you call the print() function, it works as expected, writing the provided Hello, World! text to the standard output stream. Similarly, defining a variable seems to be working fine, as you can retrieve its current value with an f-string literal. At the same time, the result of the arithmetic addition, two plus two, is nowhere to be seen. Can you guess why?

It’s because exec() doesn’t return any value. Although your code gets executed under the curtain, it has no visible side effects. Such code represents a special kind of statement known as an expression, which you can evaluate using the built-in eval() function. Unlike exec(), this function returns the evaluated object, which you can process further.

Because expressions are also statements, but not the other way around, you can’t append another case clause with a suitable pattern after the existing case that is meant for handling statements. If you did, the first pattern would always succeed regardless of whether the subject is a statement or an expression, preventing the subsequent cases from running. Therefore, you must place the case clause for expressions before the case clause for statements.

In addition to this, you have to modify your helper function so that it can discern between statements and expressions:

The extra parameter, which you now must pass explicitly to your valid() function, lets you parse the code in either the "exec" or "eval" mode:

The mode argument specifies what kind of code must be compiled; it can be 'exec' if source consists of a sequence of statements, 'eval' if it consists of a single expression, […] (Source)

Also notice that you assign the result of eval() to an underscore (_) variable, which you print only when the associated expression evaluates to anything other than None. This is consistent with the standard REPL, which automatically stores the last evaluated expression in a special variable for your convenience:

You can still execute statements as before, like calling the print() function, as well as evaluate expressions. If an expression evaluates to None, such as the lambda expression above, then you don’t show it. Additionally, the special variable (_) allows you to reuse the value of the last expression.

It was briefly mentioned before that the underscore is a soft keyword, which plays a role in pattern matching. Now, it’s time to delve deeper into its use.

Default Case and the Wildcard Pattern

Unlike many other programming languages, Python allows the case clauses in pattern matching to remain non-exhaustive. In other words, you don’t have to handle all possible cases in a match statement. It’s up to you whether you want to catch unmatched patterns in a default case or not. For example, if a user of your custom REPL types an unknown command that isn’t a valid statement or expression, then nothing gets executed:

The REPL ignores syntactically incorrect Python and moves on because none of the patterns in your case clauses matches the subject. However, it’d be more considerate to the user to let them know about a syntax error in their input.

For this purpose, you can specify the catch-all case by using a wildcard pattern (_) that will always match unless one of your earlier patterns already matched the subject. Because it serves the purpose of a fallback case, it has to go last in the sequence of case clauses:

With this small change, you made your pattern matching exhaustive. In other words, you now cover all possible cases, even if there are infinitely many. This guarantees that at least one of the clauses will run, irrespective of the subject.

Remember that the underscore (_) behaves like a keyword within a structural pattern. Therefore, it never binds the subject to a name, so you won’t be able to refer to it inside or outside the respective case clause. That’s good news because the wildcard pattern won’t collide with your special variable bearing the same name, which your REPL manages.

Furthermore, because of the lack of name binding in the wildcard pattern, you can reuse the underscore several times as a subpattern to discard certain elements of other patterns. Take a look at this hypothetical example:

Here, the underscores are another incarnation of the wildcard pattern. As you can see, the wildcard pattern doesn’t always have to appear in the default catch-all case at the end of a match statement. Instead, it tells Python to ignore specific values without binding them to any variable while letting you reuse the underscore. That isn’t the case with regular capture patterns, which don’t allow repeated variables in their definition.

Alright. That wraps up this example. If you’d like to improve your Python REPL, then consider adding support for multiline code blocks. You can also integrate readline-like editing capabilities, command history, and contextual autocomplete triggered by pressing the Tab key. Below, you’ll find a sample implementation of these features:

Now you’re ready to dive deeper into various types of structural patterns in Python. You’ll start by taking a look at some basic patterns to whet your appetite.

Exploring Basic Pattern Types Supported by Python

In previous sections of this tutorial, you were briefly introduced to different types of structural patterns without exploring them in detail. In this section, you’ll delve deeper into some of the fundamental pattern types that Python supports, including literal patterns, value patterns, and capture patterns.

Literal Pattern

The first type of structural pattern that you’ll look at is the literal pattern, which is arguably the most straightforward of them all. It generally lets you restrict the value of the subject instead of its type or structure. Consequently, literal patterns alone can be suitable for emulating the switch statement in Python if you don’t mind deviating from earlier recommendations.

For example, here’s a sample implementation of a custom interpreter of a certain esoteric programming language, which is based on literal patterns:

All patterns in both match statements are analogous to string literals that correspond to different instructions, such as moving the pointer to the next memory cell (">") in this particular programming language. Python compares the subject against each of your patterns to determine which branch of code to execute. The subject must match a given pattern exactly to make it succeed.

Strings aren’t the only literals you can use in this kind of structural pattern. Python supports a few more data types, including numbers and Boolean values. Here’s a more detailed breakdown of the available literal patterns:

Data TypeLiteral Pattern ExampleMatched By
bytesb"\xf0\x9f\x90\x8d"Equality
str"admin"Equality
int-42Equality
float4.2Equality
complex4.2 + 2.3jEquality
boolTrue, FalseIdentity
NoneTypeNoneIdentity

These are the only data types with corresponding literal patterns in Python. The counterparts of other kinds of literals, such as the list literal, are considered separate types of patterns, which you’ll get familiar with soon.

Notice that f-strings are missing from the list because they don’t represent exact values known upfront. Instead, f-strings typically involve string interpolation, which must be done at runtime. So, when you try to make a literal pattern out of an f-string, you’ll encounter a syntax error:

Fortunately, this isn’t an issue, as you’ll discover other types of structural patterns that can fill this gap.

When you look closely at the table above, you’ll notice a slight inconsistency. While most literal patterns use the equality test operator (==) to compare the values of the subject and the pattern, there are a few notable exceptions. In particular, the three singletons, True, False, and None, use identity comparison (is) instead of value comparison to avoid surprising behavior, which could lead to subtle defects.

When you compare objects by value in Python, their data types are sometimes ignored. Take the following as an example:

In the first case, you’re trying to compare a number to a string, which fails because both objects have drastically different internal representations. However, in the second case, you’re dealing with four objects of compatible types that share the same value. For instance, even though the internal representation of a complex number, such as 1.0 + 0.0j, is different than that of an integer 1, they contain the same numeric value.

As a result of that, literal patterns may succeed even if they aren’t exactly of the same type as the subject:

This function takes an age as an argument and checks if it’s eighteen, returning True if it is and False otherwise. Notice how calling the function with different numeric types still results in a match.

If you want to ensure strict type checking, then use a class pattern by explicitly wrapping your literal pattern in a relevant type constructor:

Now, only an integer matches the structural pattern even though the other two numbers carry the same value.

It could be argued that comparing numbers by value is a sensible thing to do. On the other hand, with True and 1 being considered equal in Python, this could lead to unexpected results. Therefore, literal patterns True, False, and None always compare the subject by identity:

The bool data type is a subclass of int in Python, making all four subject values in the for loop above equal. But, because Boolean literal patterns use identity checks, none of the provided numeric subjects matches the True pattern, causing the function to return the HTTP status 400.

Note that the reverse isn’t true! If a subject happens to be a Boolean value but your pattern is a numeric literal like 1.0, then the match will succeed on the grounds of value equality:

Here, the subject is a Boolean expression evaluating to True, which matches the literal pattern 1.0 since their values are equal.

So far in this section, you’ve seen literal patterns of the same type used exclusively, effectively working as an analog to the switch statement. However, you can mix and match different types of literal patterns in a single match statement if you want to:

This function uses literal patterns of three distinct types: string, integer, and float. Such a construct more closely resembles the idea behind structural patterns since it matches the subject based on its type and value rather than just specific values.

Literal patterns are fairly intuitive and quick to start with, but they suffer from poor readability and fragility. Because literals aren’t always associated with human-readable names and can’t be reused, they essentially fit the definition of the magic number anti-pattern, including all the downsides that come with it. In the next section, you’ll learn about another structural pattern that addresses some of these issues.

Value Pattern

In principle, you can represent values in a programming language using literals, variables, constants, or expressions that need evaluation. You’ve seen literals in the previous section, and you’ll cover variables in the next one when you read about the capture pattern. At the same time, you know that structural patterns aren’t expressions in Python, so that leaves only constants.

That said, Python doesn’t allow for defining true constants in the traditional sense. Although several idioms for mimicking constants in Python have emerged over the years, they rely on naming conventions rather than enforced language rules. As a result, there’s no syntactical difference between variables and constants in Python:

You often declare constants using uppercase letters as a visual cue to make them stand out, but otherwise, there’s no safety mechanism to prevent anyone from changing their values at runtime. Python programmers rely on mutual trust by respecting the conventions and unwritten rules.

Because of this syntactical limitation, you shouldn’t use previously declared variables or constants as structural patterns, as they won’t behave as you might expect them to. Recall the custom Python REPL that you built earlier. Say you wanted to follow good programming practices and keep the individual commands in separate constants to improve code readability and maintainability. You start by specifying the help command:

Although this piece of code looks syntactically correct, it doesn’t work as intended. Notice how your pattern succeeds even though you typed an unrecognized exit command, which isn’t supposed to match. To make matters worse, you’ve just overwritten HELP_COMMAND with the string "exit".

The root cause of the problem becomes clearer when you add a second case clause with another command:

There’s a syntax error now. Both patterns are examples of capture patterns, which will match any subject. Since the first pattern always matches, the second one has no chance of ever running. Additionally, the first pattern captures or binds the subject’s value to the specified name, effectively redeclaring your original constant.

You can work around this limitation by using guards, which you’ll dive into in more detail later:

You still use capture patterns, but you augment them with conditional statements to ensure that the patterns only match when their respective guard condition is true.

This works fine but leads to overly verbose code. Fortunately, there’s a better way involving a value pattern, which lets you recognize variables that should be treated as constants. These typically belong to some namespace, such as a class, enum, or a Python module, which you can access with the dot operator:

As long as you refer to a member by its fully qualified name, which includes at least one instance of the dot operator, then it’s clear that you’re defining a value pattern instead of a capture one. However, had you imported a member into the global namespace by using the from ... import ... syntax, you’d be back at square one with a capture pattern.

Remember that a value pattern looks like attribute access. If you tried calling a function or a method using its fully qualified name, then you’d no longer be specifying a value pattern:

You might think that the above code would define a value pattern based on the value returned from the static method, .help(). However, the trailing pair of parentheses always indicates a class pattern, which expects a class constructor instead. That makes sense. After all, you’re defining a structural pattern rather than invoking a callable object!

Okay. You’ve seen literal patterns, value patterns, and a few examples of capture patterns. Now, it’s time to systematize what you know about capture patterns before moving on to more advanced patterns.

Capture Pattern

A capture pattern resembles the typical variable declaration. It must be a valid and preferably unique Python identifier that shouldn’t mask existing symbols in your enclosing scopes. It’ll always match the subject, binding its value to the designated name, which you can access as a variable in the current scope.

By default, a capture pattern defines its own local variable, which means that the captured name will continue to live outside your match block:

Notice how pattern matching defined a new variable, command, named after your capture pattern. This variable holds the value of the subject captured by your pattern.

Simultaneously, if a capture pattern doesn’t succeed—for example, because a previous pattern already matched the subject—then it won’t define any new variables. So, you won’t be able to refer to it afterward:

You should be prepared for this scenario, for example, by defining the variable in each case clause with relevant values or initializing it beforehand.

A plain capture pattern will make the subsequent case clauses unreachable because it matches the subject unconditionally:

To fix this, consider introducing guards to narrow down the set of values that would make your capture pattern match the subject. When you do, you can reuse the same name for capture patterns across multiple case clauses as long as the logical conditions remain unambiguous:

Both capture patterns use the same variable name, command, but the first one is qualified with a conditional statement. The second pattern will succeed only when the logical expression next to the first pattern evaluates to False.

As a quick reminder, be sure to avoid capture patterns that share their name with a variable you defined previously:

Here, you store the raw user input in a variable named command, which initially holds the string "exit". Later, you use the same name as a capture pattern, which leads to overwriting your original variable with the string "EXIT" in all caps. Note that this only happens when the pattern succeeds.

Capture patterns are the cornerstone of destructuring. You’ll often use them as subpatterns to extract pieces of information from complex objects that you want to decompose. Here’s an example that illustrates the deconstruction of an object representing a common Git command:

You define the Command data class and its concrete command instance, which describes the git commit subcommand. The highlighted line combines several patterns in one compound pattern comprised of the following:

  • Literal pattern: "git"
  • Wildcard pattern: _
  • Class pattern: Command()
  • Capture patterns: subcommand, options

When the entire pattern succeeds, then both of your capture patterns will define local variables that you can use to decide how you want to handle the command.

Suppose you wanted to specify a pattern that will only match when the main command and the subcommand are identical. Your first attempt at doing so may look like this:

You declare two capture patterns with the same name, subcommand, in a single case clause. Unfortunately, this doesn’t work because structural patterns in Python can’t do runtime evaluation. To determine if two attributes are equal, you should define a guard with the desired condition next to your pattern:

Once a capture pattern binds some value to a name, you can’t reuse that name within the same pattern, or else you’ll get a syntax error. This doesn’t apply to the wildcard pattern (_), which doesn’t bind any names, letting you reuse it to discard multiple values.

Alright. You now have a few structural patterns under your belt. While they can help you in basic scenarios, you’ll need to expand your toolkit to tackle more demanding projects. Next up, you’ll delve into some advanced structural patterns.

Digging Into More Advanced Structural Patterns

The patterns that you’ll examine in this section will let you match and destructure popular collection types, as well as instances of classes. More specifically, you’ll learn about the sequence and mapping patterns. You’ll also learn that Python doesn’t support their set counterparts.

Sequence Pattern

You’ll take a look at the sequence pattern first, which closely resembles iterable unpacking. With this kind of structural pattern, you can assign values from a list or tuple to multiple variables in a single line of code while controlling your execution flow.

Say you wanted to model the Git commands from the previous section as a sequence of strings comprising the subcommand as well as the optional parameters. Here’s a utility function that can parse user input using a regular expression, which turns a line of text into a list of substrings:

You can ignore the regular expression above, which only serves as an example. The main point of this function is to split a string at every occurrence of one or more spaces (\s+) unless that space is enclosed within single quotes.

With this function in place, parsing commands and their arguments becomes straightforward when you use pattern matching:

You can quickly recognize a sequence pattern by the presence of square brackets around the comma-delimited list of items. As with other types of compound patterns, you can nest subpatterns in a sequence pattern, including literal patterns, wildcard patterns, capture patterns, other sequence patterns, and more.

While using square brackets works best, there are three alternative notations for sequence patterns, which in most cases you can use interchangeably. They all mimic the iterable unpacking syntax:

  1. Square brackets: ["git", "--version"]
  2. Round brackets: ("git", "--version")
  3. No brackets: "git", "--version"

There are some exceptions. To denote an empty sequence, you must use one of the two forms of brackets, as it’s not possible to express zero elements without them:

Additionally, when the sequence contains only one item, then you can omit the brackets, but you also have to append a trailing comma, just like with the tuple notation:

Notice how the first pattern ends with a comma, whereas the second pattern doesn’t. This distinction is necessary to indicate whether you want to match a sequence with just one element—and extract it into a variable—or if you prefer to capture the whole subject regardless of whether it’s a sequence or not.

On the other hand, if you do want to surround the only item with brackets, then you have to use square brackets. If you used round brackets, then you’d be defining a regular capture pattern and not a sequence one:

In other words, the round brackets wrapping a single item are completely ignored. That’s intentional in order to keep the sequence pattern notation consistent with tuples.

So, which objects can become the subject of a sequence pattern? Despite some similarities to iterable unpacking, sequence patterns don’t play well with all iterables. They only match a small set of Python sequences, including the following built-in types and classes from the standard library:

  • tuple()
  • list()
  • range()
  • memoryview()
  • array.array()
  • collections.deque()
  • collections.namedtuple()

You can also use a sequence pattern to match instances of user-defined derivatives of Sequence and MutableSequence abstract base classes. Additionally, sequence patterns will match objects that you built with a list comprehension.

At the same time, you’ll find str(), bytes(), and bytearray() among the unsupported sequence types. This may surprise you, given that all of them satisfy the sequence protocol, and you can unpack their instances into separate bytes or characters:

However, they’re also standalone objects, which you could consider scalars. Due to this dual nature, sequence patterns never match these few data types to avoid potential ambiguity:

Even though the syntax of an unpacking assignment and destructuring are identical, they behave differently. The sequence pattern doesn’t succeed in this case because the subject is a string.

Notice how sequence patterns support extended unpacking through the use of the star operator (*). In the example above, you ignore elements located between the first and the last index by using a wildcard pattern (_). If you wanted to bind them to a variable, then you’d use a capture pattern instead:

The middle variable contains a list of characters that were captured. Note that you can have at most one starred expression in your sequence pattern, allowing you to capture multiple elements. Simultaneously, you don’t need any other capture patterns if you just want to capture all items of a sequence:

This is different from a plain capture pattern, which would match any data type.

Going back to the wildcard pattern again, it can also help when you don’t know the exact size of your sequence:

Here, you bind the first two elements and ignore the rest as necessary. Otherwise, if your sequence pattern didn’t use the star-underscore syntax (*_) at the end, then it’d only match pairs while disregarding longer sequences:

The pattern [x, y] expects exactly two values in the sequence, but your cursor coordinates have three, so the pattern fails.

A sequence pattern will match any of the supported sequences. If you want to impose additional restrictions on the sequence type, then use a class pattern as you did before to ensure stricter type checking of literal patterns:

Writing a concrete sequence type around the pattern requires additional effort but makes your code a bit more explicit.

Sequence patterns have a few quirks but are undoubtedly a powerful tool. Next up, you’ll learn about the mapping pattern, which is another advanced structural pattern.

Mapping Pattern

Dictionaries, along with other Python mappings, are among one of the most important data types, offering instant access to values based on unique keys. Python uses them everywhere, from tracking object attributes and implementing namespaces to organizing imported modules. You often use dictionaries in your own code to store and manage data.

Therefore, it’s essential for Python to support mapping patterns in structural pattern matching. They can be especially helpful in consuming REST APIs that serve JSON responses, which you can then deserialize to Python dictionaries.

Suppose you modeled your Git commands using dictionaries instead of data classes. You can quickly convert the git commit command, which you defined previously, to a dictionary with asdict():

Instead of using a hierarchy of objects, you now represent the same command with a Python dictionary, which can become the subject of a match statement:

A mapping pattern looks like your typical dictionary literal, leveraging curly brackets, commas, and colons to combine keys with values. Because mappings are unordered collections of key-value pairs, it doesn’t matter how you arrange your keys and values in the pattern. Here, you intercept any command whose subcommand is named "commit" while capturing its options.

A mapping pattern will match not only the built-in Python dict but also other kinds of mappings, including the ones from the collections module:

  • collections.ChainMap
  • collections.Counter
  • collections.OrderedDict
  • collections.UserDict
  • collections.defaultdict

When you use an empty dictionary literal {}, then your pattern will match just about any mapping:

Notice that your pattern matches these mappings even though they contain the key-value pairs pi=3.14 and e=2.72, which you haven’t specified in the pattern.

This is an important difference from sequence patterns. Sequence patterns require you to either list all expected items or use the star operator (*) to indicate a variable-length sequence. In contrast, mapping patterns ignore any extra keys that exist in the subject but that you didn’t explicitly include in your pattern.

Therefore, you don’t need to use a wildcard pattern to ignore the remaining key-value pairs. The **_ symbol would be redundant, so it’s disallowed. You can, however, use the standard dictionary unpacking to capture multiple key-value pairs into their own smaller dictionary:

As with sequence patterns, the star pattern (**) can appear at most once. If you placed more than one, then it wouldn’t be clear which key-value pairs should be captured by each one.

Structural patterns are designed to avoid side effects as much as possible. To give you an example of a side effect, think of accessing a missing key in a defaultdict instance. This puts the default value under a new key, mutating your mapping:

In this case, the int() function delivers a default value, which is equal to zero, for the initial color count in your histogram. When you read the current value of a color for the first time, Python calls the provided callback function and uses its result as the default value before letting you increment it by one.

To avoid adding new key-value pairs into such mappings, Python doesn’t use the square bracket syntax when matching a subject to one of your mapping patterns. Rather than calling .__getitem__(), which square brackets use under the hood, it invokes .get() on the subject:

Calling histogram.get() bypasses the standard lookup path, so when your mapping is empty, you won’t put any new entries into it. On the other hand, using the square brackets syntax leads to modifying the histogram if the key doesn’t exist.

You’ve covered a lot of ground, but there’s one more advanced structural pattern to take a closer look at. In the next section, you’ll learn about the class pattern.

Class Pattern

You’ve already seen a few class patterns in this tutorial. When used in conjunction with literal patterns, they enabled a stricter type control at runtime, whereas capture patterns allowed you to extract attribute values from objects. If you’re interested in matching the subject solely by its type, then you can use plain class patterns. Here’s an example:

This function takes a value as an argument, which can be one of four supported data types, and returns a timezone-aware datetime instance. Depending on which type you pass as an actual parameter into the function, it determines the appropriate conversion method using pattern matching.

As you can see, instead of explicitly calling isinstance() on the subject, you can check if the subject is an instance of the given type by using a class pattern. This is more compact and gives you the option to destructure an object into its constituent parts.

You can generally use keyword arguments of the class constructor to extract attribute values:

Your aoc_status() function checks if the given date coincides with the Advent of Code, which is an annual coding puzzle contest that takes place between the first and twenty-fifth of December each year.

In both cases, you pass keyword subpatterns to the datetime.date() class pattern. The first one includes a wildcard pattern to ignore the year, and two literal patterns to match a specific month and day. The second one additionally captures the day number as long as that day is on or before the twenty-fifth of December when the Advent of Code ends. Alternatively, you could omit the year attribute altogether in both class patterns.

Sometimes, you can specify your patterns using positional subpatterns instead of keyword ones. Whether it’s possible depends on the data type that you refer to in your class pattern. In this instance, the datetime.date class doesn’t accept any positional subpatterns:

When you try to use three consecutive subpatterns without providing the associated argument names, then pattern matching fails.

Compiled languages with static type checking, which support pattern matching, would make this possible with the help of algebraic data types. Python’s dynamic nature throws a wrench in the works, making matching by positional arguments a bit trickier. The interpreter can’t always guarantee that the order of your positional subpatterns will correspond to the order of expected attributes defined in the class.

That said, you’ll find a few built-in and standard-library types that support matching by positional arguments. Data classes and named tuples are among them since they inherently impose order on their attributes:

Python can correctly tie the specified subpatterns to the positional arguments of the constructor thanks to the special .__match_args__ attribute that was generated automatically for you:

Such an ordered sequence of attribute names allows Python to correctly map positional subpatterns to their keyword counterparts, which are used under the surface.

Most classes, including datetime.date that you just used, don’t come with this special attribute, though:

You must, therefore, rely on explicit keyword arguments or provide the special .__match_args__ attribute yourself in user-defined classes. You’ll see examples of this and learn how to customize pattern matching for instances of your classes in the next section.

While the majority of classes only support matching by keyword subpatterns, you can take advantage of a convenient shorthand notation for most built-in types. If there’s a version of the constructor that accepts a single value, then it’s possible to implicitly match the subject using a positional subpattern:

Neither str nor int provides the special .__match_args__ attribute, but they know how to properly interpret the only positional subpattern. This can simplify your code by relieving you from writing an AS pattern, such as str() as text, which you’ll learn about later.

Note that fields not automatically initialized in a data class are excluded from pattern matching:

You only use one wildcard pattern to match a person’s date of birth (.dob). The other attribute, .age, isn’t taken into consideration when matching because you haven’t specified it in the constructor. The second attribute was computed dynamically based on the current year and the person’s date of birth.

Matching instances of nominal subtypes as well as structural subtypes works as expected:

Since class patterns call the isinstance() function on the subject, make sure that any protocol you match against was decorated with @runtime_checkable.

The syntax of class patterns, which you can use to destructure an object, elegantly mirrors the syntax of class instantiation. However, you may sometimes need to take additional steps if you want to make your custom classes play nicely with pattern matching.

Customizing Pattern Matching of Class Instances

In most cases, you don’t need to do anything extra for your custom data types to support pattern matching. Any class name can become the target of a match statement:

First, you define a plain old Python class, which is neither a descendant of a named tuple nor a data class. As such, it lets you match User instances by specifying the User() pattern. Remember that you must always include a trailing pair of parentheses to indicate a class pattern. After all, it resembles class instantiation.

Unfortunately, you can’t avoid using keyword subpatterns when you want to be more specific, for example, by narrowing down the user type. If you provide positional subpatterns instead, then Python won’t know how to map their indices to attribute names:

To fix that, you can tell Python about the expected order of object attributes by specifying a special .__match_args__ field in your class:

Note that it has to be a tuple of strings and it mustn’t contain duplicates! If you define a list, for example, then you’ll cause a TypeError. Also, notice how you can reorder or even skip some of your attributes when you define this special field.

With your updated class definition, you can now match users through positional subpatterns that correspond to the attributes specified in .__match_args__. Here’s an example of how you can leverage this in a case clause:

Under the hood, Python converts each positional pattern at index i to a keyword pattern using the .__match_args__[i] syntax.

That concludes the overview of basic and advanced structural patterns in Python. Coming up next, you’ll explore a few final types of patterns that will allow you to compose multiple patterns in various ways. Don’t worry, though, as you briefly touched upon most of them before!

Composing Complex Structural Patterns

Most structural patterns are composable, meaning you can build complex patterns made of simpler subpatterns. Python will evaluate them from left to right and top to bottom within the hierarchy. The success or failure of these subpatterns determines the outcome of the entire pattern.

The only standalone patterns that can’t contain any subpatterns are the following:

  • Wildcard pattern
  • Literal pattern
  • Value pattern
  • Capture pattern

These patterns either match values directly or act as their placeholders. On the other hand, you can nest any subpattern within the remaining patterns, including the ones you’re about to explore in this section.

OR Pattern: Union of Multiple Patterns

If you’ve been following along, then you’ll remember the OR pattern from when you built your rudimentary Python REPL earlier in this tutorial. You used this pattern to break out of an infinite loop in response to one of two commands, exit or quit:

Here, you use the bitwise OR operator denoted by a pipe symbol (|) to combine several structural patterns into a union of alternative subpatterns. If at least one of them matches the subject, then the corresponding code block will run.

This kind of structural pattern can help you avoid code duplication by letting you reuse a block of code that’s common to more than one pattern. Without the OR pattern, you’d have to repeat the same logic for each individual case, leading to more cluttered and brittle code.

If your OR pattern contains at least one capture pattern, then all of the alternative subpatterns must also include one with precisely the same variables to bind in arbitrary order. You can’t have a mix of capture and non-capture patterns, and you can’t use different variable names across your alternative capture patterns. For example, the following OR patterns are invalid:

The first case clause defines an OR pattern that combines two alternative class patterns, each having a pair of subpatterns comprised of a literal and a capture pattern. However, the capture patterns bind to two different names, in_path and out_path. That’s not allowed because you wouldn’t know which variable to use in the subsequent code block when one of the alternative class patterns succeeded.

Conversely, the second case clause mixes different types of subpatterns. Two of them contain capture patterns, but they bind values to different sets of names. The third subpattern is a literal pattern, so it can’t bind any names at all, causing an inconsistency in the matching logic.

You use the OR pattern to make a union of alternative patterns. Note that there’s no explicit AND pattern in Python because it’s impossible for a subject to have two different structures at the same time. However, you can combine multiple matching conditions through guards, which you’ll cover later.

Another way to compose your patterns is to combine structural matching with binding the matched value to an alias. This is what you’ll explore next.

AS Pattern: Alias of a Matched Subpattern

Standalone patterns listed at the beginning of this section match the subject expression without binding its value to a name. For example, a wildcard pattern always matches anything but won’t let you refer to the matched value. Similarly, when you have a few alternative literal patterns combined with an OR pattern, then you won’t know which one was matched. Finally, some class patterns don’t allow you to specify a capture pattern within them.

That’s where AS patterns come in handy. They become useful when you need to express a structural constraint while simultaneously binding the matched value to a variable so that you can refer to it in the subsequent code block. Consider the following example:

You run an infinite loop that reads user input and evaluates it as a Python expression until receiving the EOF character or calling the exit() function.

If the provided value is a number of one of the built-in numeric types, then you format that number to two decimal places. Notice how you assign the value matched by your pattern to a variable named number using the as keyword. It looks as if you’d only bind the last subpattern, which is a complex number, but you actually bind any value that matches the entire OR pattern: int() | float() | complex().

The sequence pattern right below it demonstrates how you can nest AS patterns within other patterns. In this case, you use it to bind one of four alternative string literals to a variable named hemisphere. This is probably the best use case for this kind of pattern.

The third case clause features a wildcard pattern, which matches any value that didn’t fit the previous patterns. In this example, you use the AS pattern to additionally bind this unmatched value to a variable named unknown. This lets you handle unsupported input gracefully.

Just like capture patterns, a successful AS pattern defines a variable that will be visible after your match block. However, you should expect such a variable not to exist if the pattern doesn’t succeed. Also, your aliases should never conflict with other variables defined in the same or enclosing scope.

By now, you’ve seen almost all of the structural patterns supported by Python. There’s one more, which you’ll get familiar with now to give you the complete picture.

Group Pattern: Visual Grouping of Subpatterns

The last structural pattern that you’ll learn about in this tutorial is a group pattern, which allows you to put parentheses around any pattern to improve its readability. It can be particularly helpful around a nested union to make it visually stand out from an otherwise crowded pattern:

You can safely omit the parentheses around the class and OR patterns above because they make no syntactical difference. On the other hand, they can help to visually separate the individual subpatterns, making them easier to understand.

That was the last structural pattern you’ll find in Python. But it doesn’t exhaust the whole topic. Next, you’ll take a closer look at guards.

Guard: Logical Condition on Top of a Pattern

Guards aren’t technically structural patterns, but they work hand in hand with them. While patterns express the static structure of your data, allowing for a declarative style, guards let you branch on non-structural conditions, such as the relationships between the individual subpatterns.

To add a bit of dynamism, you can specify an arbitrary logical condition, called a guard, to be checked at runtime when your pattern succeeds. Syntactically, each case clause can be followed by an optional if statement representing the guard, next to the pattern definition.

Take a look at the following function, which makes an HTTP request to the specified URL and uses structural patterns with guards to handle the response object:

The highlighted condition exemplifies a fairly complicated guard that references both a capture subpattern, code, and the whole subject aliased as resp. The guard checks if the status code of the HTTP response is greater than or equal to 300, indicating a URL redirect. Additionally, the guard verifies if the Location header is present while simultaneously binding its value to a variable called redirect using the Walrus operator (:=).

A guard is not a part of the pattern! It’s a part of the case clause, and it’s only checked when the associated pattern matches the subject. Conversely, when a pattern fails to match the subject, the logical condition won’t be evaluated, which can influence potential side effects of the guard. Moreover, a case clause with a guard will succeed only when both the pattern matches the subject and the corresponding guard condition is true.

When you augment an OR pattern with a guard, then the conditional statement applies equally to all alternative subpatterns rather than just to the last one on the far right. This is analogous to the AS pattern that you saw in the previous section, which you often place close to the last subpattern. Here’s a toy example to illustrate this:

This code snippet repeatedly prompts the user for a Python expression to evaluate. When the user types either an integer or a floating-point number, then an appropriate message prints on the screen, but only when the Boolean variable flag is true. The user can toggle this variable by typing "toggle" at the prompt. Notice how this affects the guard’s behavior for both int() and float() subpatterns.

Whew! That was a lot to take in, but you made it through. Structural pattern matching is a surprisingly deep rabbit hole of a topic, so mastering it can take some time. You can review a few hands-on examples in the following section to solidify your understanding.

Finding Practical Uses for Pattern Matching

In this section, you’ll explore various real-world applications of pattern matching and learn how to implement them effectively. Along the way, you’ll retrieve and display comments on GitHub issues, create a guessing game, develop a Python code optimizer, enforce runtime type checking, simulate function overloading, and replicate the switch statement in Python.

Read Deeply Nested Hierarchical Data

Structural pattern matching is an excellent tool for parsing objects deserialized from hierarchical data formats like XML, JSON, or YAML. These data formats are prevalent in web development, facilitating data interchange between clients and servers, particularly through REST APIs. They’re also commonly used in event-driven socket communication delivering real-time updates, such as live flight information or sports scores.

For example, the GitHub REST API exposes several endpoints for querying various kinds of information available publicly, such as the events related to a particular repository. Say you wanted to fetch the latest comments left by CPython contributors on open issues:

You execute curl in the command line to fetch recent events about the python/cpython repository. Since the server replies with a JSON payload, you format it nicely using the jq tool. Note that you don’t need to authenticate against GitHub using a token or API key to access this endpoint.

In Python, you can fetch data from such an endpoint using urlopen() from the urllib.request module:

The function that you defined above takes the name of a GitHub organization and one of the repositories it owns, such as python and cpython, respectively. Then, your function deserializes the response’s body from JSON to a Python list containing the individual events represented as Python dictionaries.

When you look closely at the event types returned by the server, you’ll notice there are several kinds, each with distinct attributes and structure. So, you can use a mapping pattern to filter these events, keeping only those with the "IssueCommentEvent" type. You can also destructure events into only a few properties of interest, binding their values to variables using capture patterns:

Notice how your pattern reflects the structure of a segment of the JSON document retrieved from GitHub. At the same time, you can remain highly selective about the fields to extract from the document, even those nested multiple levels deep. When your pattern matches the subject, you yield an instance of the Comment data class, which you’ll define now.

This class lets you conveniently collect the necessary information in one place, and it knows how to render itself in Markdown using the third-party Rich library:

You can now connect the dots by making a request to GitHub and printing the rendered Markdown in the console:

At the bottom of the file, you use the name-main idiom to define the entry point to your script. When you give your code a spin by running the script, you’ll be able to navigate through the issue comments by pressing the Enter key:

A Comment on a GitHub Issue in the CPython Repository

The mapping patterns can also prove especially useful when you’re dealing with alternate formats of the same entity. For example, you may be asked to support both the new and legacy versions of a certain API. Or maybe you’re processing a schemaless collection of documents obtained from a NoSQL database like MongoDB. Because such documents have no schema, some document fields can be reused for different purposes or have different types or structures.

Parse and Process User Input

At the beginning of this tutorial, you saw the perfect application of structural pattern matching when you implemented a basic Python REPL. To solidify your knowledge, you’ll build a simple guessing game to interact with the user as an exercise. The player’s goal is to guess a randomly generated number between 1 and 100. Here’s what a sample gameplay might look like:

The player has at most five attempts to guess the number. Each time, they’ll receive feedback on whether their guess is too high, too low, or correct.

As before, you’ll use pattern matching to handle user input. Start by outlining the structure of your Python script, which will include importing the random module, specifying various constants, and creating a few functions:

The main() function greets the player and displays instructions on how to exit the game. It then enters an infinite loop, repeatedly calling play_game() and asking the player if they want to give the game another try after each completed round, regardless of its outcome.

The want_again() function prompts the user to decide if they want to play again. It uses literal patterns to check the player’s response against letters y and n, ensuring that only valid inputs are accepted.

You can now implement the play_game() function, which is the heart of your program:

This function may seem somewhat obscure at first, so here’s a line-by-line breakdown:

  • Lines 19 to 21 initialize variables that represent the game’s current state, including the drawn random number, the remaining number of tries, and the prompt.
  • Line 22 starts a while loop that will run until the player runs out of tries.
  • Lines 24 and 25 terminate the game when the player types one of the predefined commands.
  • Lines 27 to 30 convert the user’s answer into an integer number that you can compare to the drawn number. If the conversion fails, then you print an error message.
  • Lines 32 to 43 use pattern matching to resolve and update the game’s status, showing a relevant message to the player.
  • Line 44 executes if the loop ends without the player guessing the correct number. It prints a message indicating that the player has lost the game.

Expressing the game rules with pattern matching looks arguably more elegant and readable when compared to traditional conditional statements.

Traverse Recursive Data Structures

The combination of branching and destructuring makes pattern matching particularly powerful in traversing recursive data structures, such as an abstract syntax tree (AST) of a code snippet. Therefore, you can leverage structural patterns to implement the visitor pattern efficiently and concisely.

Suppose you were developing an intelligent code optimizer for Python aimed at enhancing performance and maintainability:

Your tool takes a piece of Python source code as input. In this case, you supply a reference to a sample_function(), which returns the result of an arithmetic expression, forty plus two.

Next, the program obtains this function’s source code as text using the inspect module and translates the resulting string into a hierarchy of objects with the ast module’s help. Such an abstract representation of source code is convenient to traverse and transform, so your program calls optimize(), which you’ll implement in a bit, with the tree of nodes as an argument.

Once your function returns with an optimized abstract syntax tree, you translate it back into Python and display both versions on the screen for comparison. This is what you’ll see when you run the finished program:

Clearly, your optimizer has successfully identified a bottleneck and simplified the function’s body by evaluating the expression into a constant. This makes the code more readable and reduces the number of operations to execute at runtime.

How does the optimize() function work? It traverses the abstract syntax tree from the root, replacing nodes that it can recognize with equivalent but simplified representations:

The highlighted lines recursively call optimize() with subnodes to replace in the tree. The wildcard patterns let you return nodes intact if they’re unsupported. However, at the moment, only two binary operators can be simplified.

This was a fairly minimal example, but it should give you an idea of how you can use pattern matching effectively to traverse recursive data structures while performing interesting operations.

Enforce Types at Runtime to Validate Data

Because class patterns allow you to match the subject by its type, you can effectively use structural pattern matching as a form of the runtime type-checking mechanism. This can be particularly useful for validating function arguments or object attributes in the class constructor.

Take a look at the following example, which uses pattern matching to implement the validation logic:

The initializer method in this class branches on the type of the input argument. If the argument is an instance of the Decimal or Fraction class, then you call .__init__() with the same value converted to a float. When passed a positive integer or a floating-point number, the initializer stores that number in an attribute. Otherwise, if the value isn’t positive or isn’t a real number, then you raise an appropriate exception.

Here’s how your new data type behaves in practice:

These examples demonstrate how you can use structural pattern matching to validate data types and values at runtime. Validation makes your code more robust and less prone to errors, so it’s a good idea to incorporate it into your development practice.

You can extend this technique to simulate function overloading in Python, which you’ll learn about now.

Overload a Callable Based on Its Arguments

Overloading is a programming concept where a callable, such as a function, method, lambda expression, or a function object (functor), behaves differently depending on the number and types of arguments passed into it. The built-in int() function is a prime example of this:

Notice how you call the same function with different arguments, as if int() had alternative signatures:

  • When you call it without any arguments, the function always returns zero. This makes int() a popular choice for the default factory of missing keys in defaultdict objects.
  • Calling int() with a floating-point number truncates the decimal part.
  • Calling int() on a string converts it into an integer, provided that the string looks like a number.
  • You can also call int() with two arguments to convert a number expressed in a non-decimal base to base-ten. The first argument must be a string, and the second argument must be an integer between two and thirty-six.
  • Additionally, when you specify the second argument as zero, the function will look for a prefix like 0x, which stands for the hexadecimal system, in order to determine the source base.

In statically typed languages, the compiler decides which of the overloaded versions of the same function to choose based on the actual parameters. In dynamic languages like Python, this decision has to be made at runtime by dispatching a function call to another function or by modifying its behavior in place.

Although Python supports overloading most of its operators through special methods, it doesn’t natively support overloading user-defined functions or methods. Since the last definition overwrites all previous function definitions with the same name, you can only emulate overloading in Python to some extent. A popular method entails using a chain of if isinstance() checks, like so:

Technically, you’re calling one function, but it changes its behavior based on the type or interface of the supplied argument.

Because this kind of check is done at runtime when you have additional information, you’re no longer constrained to just the number and types of arguments. You can overload your function based on any condition, including parameter values and shapes, such as their length or dimensions. This is where pattern matching fits in perfectly.

For example, you can elegantly implement a variadic function that will accept a variable-length list of arguments and convert them into a tuple of RGB color values:

When you pass exactly four integer arguments, all bounded to a range between zero and one hundred, they must represent CMYK percentages that you convert to the RGB color space. If there are only three integers in the range of 0 to 255, they’re assumed to be the RGB triplet itself. However, three floating-point numbers between 0.0 and 1.0 imply RGB values in a normalized form.

If you pass a string that starts with a hash ("#") and is either seven or four characters long, then you interpret it as a hexadecimal color code in full or shorthand notation. Finally, if the arguments match none of these patterns, then you raise a TypeError to indicate unsupported arguments.

Go ahead and test your color() function with various types of inputs:

Notice how the function correctly interprets different numbers of arguments, as well as their types and value ranges.

Structural pattern matching eliminates the verbosity that comes with explicit isinstance() calls that you’d typically use instead. If you just want to overload a callable based on the argument types, then there are more idiomatic patterns to follow. You can check them out by expanding the collapsible sections below:

If you want to support a few alternative ways to initialize an object, then you can provide multiple constructors in your custom data type:

You can decide how to initialize a Color instance by choosing one of your named constructors.

If you just want to overload a callable based on the type of its first argument, then use the @singledispatch or @singledispatchmethod decorator, which defines a generic function:

The first function encapsulates a fallback behavior, whereas the following ones trigger when the type of the first argument matches the type declared in the decorator.

When you need to branch on types of multiple arguments, then you can install and use the third-party multipledispatch library:

This library allows you to define so-called multimethods based on the types of arguments, which is a form of polymorphism.

Up to this point, you’ve seen legitimate uses of structural pattern matching in Python. Next up, you’ll take a look at a use case that ventures into a sort of gray zone, making some Python developers frown upon it.

Emulate a C-Style Switch Statement in Python

This is arguably one of the most basic use cases for pattern matching in Python, which is why it’s sometimes confused with a C-style switch statement. You can use this statement instead of a cascade of if statements to select one of many code blocks to execute.

The classic switch statement in C expects the expression following it to evaluate to an integer value, a character, or an enumeration member, which are numbers in disguise. Java has additionally allowed strings to be used as case labels for a while now:

In contrast, you can use any data type with Python’s pattern matching. When you employ literal, value, or class patterns, then you can branch your code on the value using exact matching similar to the traditional switch statement.

Python’s counterpart to the above code, which is based on literal patterns, would look as follows:

Alternatively, if you want to use structural pattern matching against enumeration members, then you can combine value and class patterns instead:

A notable difference between the C-style switch statement and Python’s match statement is that, in Python, there’s no fallthrough behavior. Since at most one case block will ever run, you don’t need to explicitly stop the processing by putting the break statement after each case clause. To handle multiple cases with a common branch, you combine your subpatterns using the OR pattern (|).

When you use this kind of pattern matching to dispatch a function based on the values of its arguments, then a common idiom is to use a lookup table (LUT) based on a Python dictionary, as you saw earlier.

However, since this isn’t about branching on the structure, consider using more idiomatic approaches, like a chain of if..elif... clauses, which has been the traditional way of emulating the switch statement in Python:

This will look more familiar to Python developers, and it saves you some indentation space as a bonus.

Now that you’ve seen the strengths of structural pattern matching in Python, it’s time to examine its weaknesses and limitations.

Recognizing Python’s Pattern Matching Limitations

In this section, you’ll learn about the several potential surprises to watch out for when you work with Python’s pattern matching. If you’ve gone through this whole tutorial, then consider this a helpful reminder, as most of these points have been mentioned before. You’ll revisit them now for a quick summary of Python’s pattern matching limitations.

Match Is a Statement, Not an Expression

If you’re coming from Scala, then you might be accustomed to using match as an expression. The language’s syntax allows you to evaluate a matched pattern and assign the result to a variable. Here’s an example:

This function takes a number as an argument and returns the corresponding string representation with an appropriate ordinal suffix, such as "42nd". Notice how you conveniently assign the result of the outer match expression to the variable suffix. Similarly, your nested match expression bubbles up with the evaluated string.

Recent versions of Java also support pattern matching through switch expressions, which look as follows:

Here, you assign the value of the switch expression to a variable named message. You could also pass the entire expression as an argument to System.out.println() or another method.

In contrast, Python’s match remains a statement, so you can’t evaluate it and assign the result to a variable, pass it around, or return it from a function. This was a conscious design decision to keep the syntax consistent with other Python constructs that introduce a block of code with a colon (:).

That being said, you can wrap your match statement inside a function to achieve a similar effect:

Your function translates numeric HTTP status codes into their respective standard message strings. This can be useful for logging or in any context where you need human-readable status messages. Note that Python already ships with the http.HTTPStatus enumeration, which provides a convenient way to work with these codes.

Case Clauses Aren’t Exhaustive

In languages like Rust, Scala, and Java, the match and switch statements are exhaustive, meaning they always cover all possible cases or values of the subject. If you fail to cover every single case, or if you don’t provide a default one, then you’ll get a syntax error, and your program won’t compile:

The compiler ensures that your program handles every possible scenario, preventing potential runtime errors.

Python is different, letting you decide whether you want your cases to be exhaustive or not. For instance, the following code snippet covers only two out of seven members of an enumeration that you defined previously:

Because the subject doesn’t match any of the subpatterns, your case clause never runs, leaving the weekend variable undefined.

Although you’re not required to include a default case, it’s usually a good idea to define one at the bottom of your match block using the wildcard pattern (case _:). Naturally, you should implement the appropriate fallback logic there to handle any unmatched cases.

Case Clauses Don’t Fall Through

Another surprising quirk of Python’s case clauses is that they don’t fall through like the switch cases in C and Java. In those languages, you must explicitly include the break statement after each case block to prevent the execution from continuing into the next case. However, a fall-through behavior may occasionally be desirable.

By skipping the break statement, you allow your program to execute multiple case blocks sequentially until it encounters the first break statement. Most commonly, the blocks without a break statement will be empty so that you can apply the same logic to multiple values like in the example you saw earlier:

Several case labels fall through to a common block of code, allowing you to group days of the week into weekends and workdays without repeating yourself.

In rare cases, you’ll have a chain of non-empty case blocks without the break statements, which can be helpful in performing incremental computations like these:

This method returns a list of remaining days until the end of the week. It takes a day number as an argument and translates it into a DayOfWeek instance. Note that the lack of break statements means that the switch statement will include all subsequent days up to Saturday due to the fallthrough behavior.

On the other hand, when you use Python’s pattern matching as a form of the C-style switch statement, you’ll notice that each case is independent. In other words, you never use break statements because at most one case clause will ever run. This saves you some typing, makes your code more readable, and keeps you from worrying about accidentally omitting a break statement.

At the same time, you can group multiple cases with an OR pattern to avoid code duplication if you need to.

Case Clauses Can Overlap

As mentioned previously, structural patterns can overlap with each other, making the same subject match a few of them simultaneously. When they do, their order matters because Python evaluates them from top to bottom, and only one case clause in a match block can run.

As a rule of thumb, you should start with the most specific pattern, gradually moving to more general patterns. This is similar to how you handle exceptions in Python. If you don’t follow this rule, then you risk causing a surprising behavior or making the remaining cases unreachable, resulting in a syntactical error.

Consider the following example of the popular fizz buzz problem, which is implemented incorrectly:

When you run this code, you’ll notice that the word fizzbuzz never appears on the screen. Can you spot where the problem lies?

It’s because the third case clause never succeeds since either the first or second one is matched before. After all, any number divisible by fifteen is also divisible by three and five. Therefore, the third pattern is effectively ignored. To fix this, you should check for divisibility by fifteen first:

A number that’s not divisible by fifteen can still be divisible by three or five. That’s the correct implementation of fizz buzz using pattern matching in Python.

Here’s another example illustrating a slightly different situation:

Here, the first pattern is a capture pattern without any guards, so it’ll always succeed, rendering the remaining patterns unreachable. You can sometimes fix this by reordering your case clauses. However, in this case, both patterns will match any subject, so you must make the capture pattern more specific by augmenting it with a conditional expression.

Case Clauses Can’t Have Assignment Expressions

It’s okay to use the Walrus operator (:=) in your match statements, which can be convenient when you need to refer to the evaluated subject within the same code block. However, Python explicitly forbids using these assignment expressions in case clauses, as they could easily be confused with matching keyword subpatterns in class patterns:

If you need to access the matched pattern, then you can always define a capture pattern or make an alias with an AS pattern, as shown above.

Not All Patterns Are Made Equal

Although most built-in types, such as int and float, have the corresponding class patterns that allow you to destructure them using a single value, others don’t. For example, Python’s complex type consists of two separate values, which must be destructured using the keyword patterns rather than positional capture patterns:

When you omit the complex number constructor’s argument names, then you’ll end up with an error:

This makes sense, given what you learned previously about class patterns, but it may be a little surprising if you’re used to working with integers and floating-point numbers:

This works as expected because the floating-point number’s constructor takes only one argument, leaving no room for ambiguity.

Matching a Python Set Requires a Guard

While sequence and mapping patterns allow you to match lists and tuples, among other data structures, there’s no dedicated syntax for matching Python sets, which require a different approach. Sets and frozen sets are merely unordered collections of elements that don’t have an inherent structure to match on. Instead, you can match them by value.

One way to do this is to use a class pattern combined with a guard. For example, you can check if a set contains one or more of the specified elements:

This function checks if the given user has the necessary roles to be considered authorized. By using the ampersand operator (&), you find the intersection of the user’s roles with the set of authorizing roles. If the user has either an "admin" or "staff" role or both, then you return True. Otherwise, you return False.

Alternatively, to match a Python set exactly, you can use the equality test operator (==) or wrap your set in some kind of namespace to leverage the value pattern:

Here, you placed the expected set of roles under a class so that you can reference it using the dot operator, as in Roles.AUTHORIZED. The difference is that now, the user must have both "admin" and "staff" roles to be authorized.

To learn more about matching Python sets, you can read a StackOverflow answer by Brandt Bucher, who is the author of the structural pattern matching specification (PEP 634).

Most Literal Patterns Match by Equality

Python compares most literal patterns to the subject by means of value equality. In other words, you can have two independent objects, potentially of different data types, stored in distinct areas of computer memory, and they’ll still have equal values.

For instance, the integer 1 is considered equal to the floating-point number 1.0, the complex number 1 + 0j, and the Boolean value True:

Because of this equality, you can sometimes observe surprising effects in pattern matching. Here’s an example demonstrating a literal pattern that matches several different subjects:

If that’s an undesirable behavior, then you can wrap your literal value in an appropriate class pattern for a stricter type control:

Now, the floating-point and complex numbers no longer match your pattern. Still, the Boolean value slipped through the cracks since bool is a subtype of int in Python. You can use a guard or ignore Boolean subjects to have an even more strict control:

Either of the highlighted patterns would do the trick to filter out the unwanted subjects.

Having said that, there are three literal patterns that use identity equality instead of the ordinary value equality to determine if they match the subject. More specifically, they’re the two Boolean values, True and False, as well as the empty value of None.

Here’s another example showing that only the last subject matches the literal pattern True:

Even though other subjects represent the same value, only one of them has exactly the same identity as your pattern.

Floating-Point Patterns Are Imprecise

Languages like Rust completely disallow floating-point literals in pattern matching due to the representation error, which makes comparing them by value tricky. Python doesn’t impose such a restriction, but that can sometimes lead to unexpected results like what’s shown below:

Notice how your pattern matched the floating-point literal 0.3 but didn’t match the corresponding arithmetic expression, which should theoretically evaluate to the same value. Unfortunately, unlike the floating-point value 0.3, the other two numbers don’t have an exact binary representation in computer memory, introducing a tiny but noticeable error.

To avoid such surprises, consider replacing floating-point numbers with alternative representations based on other data types, such as int or Decimal. Alternatively, if you absolutely must use floating-point numbers, then build your patterns around guards that call math.isclose().

String Patterns Are Not Sequences

Strings, bytes, and byte arrays are among the sequence data types in Python that share similar properties and behavior. They’re data containers of a fixed length that you can iterate over or access their individual elements by index. You may also destructure such sequences into variables using the iterable unpacking syntax:

However, strings and their binary counterparts are more commonly treated as standalone scalar values rather than sequences. To avoid ambiguity, Python’s sequence patterns exclude strings, bytes, and byte arrays from matching. Instead, you must use literal patterns to match them by value or wrap the subject in another sequence type like a Python list beforehand:

In the first case, you use a class pattern with a capture pattern augmented with a guard. In the second case, you convert the string subject to a list of separate characters.

Captured Names May Wind Up Undefined

Because case clauses in Python are non-exhaustive, it’s possible that none of them will run at all. Even if you ensure exhaustiveness by specifying a default catch-all case, you may still fail to initialize the variables expected after your match block. That’s what happens here:

If the mapping pattern succeeds, then it’ll define a key_code variable through a capture pattern. However, the wildcard pattern below doesn’t define such a variable. As a result, the key_code variable remains undefined since the actual event object isn’t of the keyboard type. This leads to a NameError when you try to access key_code afterward.

To prevent this potential issue, you should ensure that all variables expected after the match block are initialized beforehand or in each case block, including the default one. Here’s an example of how you can do this:

By initializing key_code to None before the match block, you guarantee that the variable will exist, regardless of whether the pattern that defines it is executed.

Capture Patterns Can’t Reuse Variables

When you have more than one capture pattern in your case clause, then each must bind the corresponding value to a different name. Otherwise, you’ll end up with a syntax error:

Here, your sequence pattern uses two capture subpatterns, both named x, to match points that lie on the diagonal. Unfortunately, this is illegal syntax in Python because the same variable can’t be the target of two assignments.

To circumvent this limitation, you should use distinct names and introduce a guard to compare both coordinates as follows:

This approach avoids the syntax error and correctly identifies points on the diagonal. On the other hand, it’s perfectly fine to reuse the same capture pattern across separate alternatives:

Even though x can refer to either the horizontal or vertical coordinate, there’s no conflict here because that name is always the target of at most one assignment. However, union patterns impose a different limitation around class subpatterns, which you’ll learn about next.

Union Patterns Bind the Same Names

Whenever you combine multiple class patterns using the OR pattern, then each must define precisely the same set of names to bind to, although they can be listed in arbitrary order. For example, you can’t have a sequence pattern with two nested class patterns followed by a literal pattern that doesn’t bind any names:

In the example above, the first alternative, [x, y], binds the names x and y, while the second alternative, 0, doesn’t bind any names, leading to a syntax error.

Moreover, you’re not allowed to use different names for the same target in your alternatives:

Notice that x and y essentially bind the same value. However, based on the first element in the sequence, only one of these variables will be defined at any given time, leaving the other variable undefined. Therefore, you must use x in both alternatives to avoid ambiguity.

Matching Constant Values Is Tricky

Python has no way of differentiating between variables and constants because there’s no syntactical difference between them. The distinction is purely semantic, so when you try to match a constant value, you’re inadvertently creating a capture pattern that matches everything:

In this example, Python randomly picked a number equal to seventy-seven. However, your capture pattern, RANDOM_NUMBER, always matches any subject, wrongly indicating that the player guessed the number and overwriting the original constant.

Moreover, when you try to add subsequent cases, you’ll notice they’re unreachable because the first pattern always matches the subject:

In short, there’s no way to match constant values by their unqualified names since they become capture patterns that bind the corresponding values to variables. The only way to match constants in Python is to put them under a namespace—for example, inside a class, enum, or module—and refer to them through dotted value patterns or use guards accordingly.

Conclusion

Congratulations! You’ve now acquired a thorough understanding of structural pattern matching in Python. By mastering the match statement and case clauses, you’ve unlocked powerful tools for writing more concise and readable code.

Along the way, you explored a wide variety of pattern types, from simple literals and value patterns to more complex sequences, mappings, and class patterns. You’ve also learned how to customize pattern matching for user-defined classes so you can extend this powerful feature to your own types.

In this tutorial, you’ve:

  • Mastered the syntax of the match statement and case clauses
  • Explored various types of patterns supported by Python
  • Learned about guards, unions, aliases, and name binding
  • Extracted values from deeply nested hierarchical data structures
  • Customized pattern matching for user-defined classes
  • Identified and avoided common pitfalls in Python’s pattern matching

With this knowledge in your toolkit, you can now leverage structural pattern matching to make your Python code more declarative and expressive. Whether you’re validating data, implementing control flow, or just aiming to write cleaner, more maintainable code, pattern matching can be a powerful ally.

Take the Quiz: Test your knowledge with our interactive “Structural Pattern Matching” quiz. You’ll receive a score upon completion to help you track your learning progress:


Interactive Quiz

Structural Pattern Matching

In this quiz, you'll test your understanding of structural pattern matching in Python. This powerful control flow construct, introduced in Python 3.10, offers concise and readable syntax while promoting a declarative code style.

Source: realpython.com

Related stories
1 month ago - Get a sneak peek at the upcoming features in Python 3.13 aimed at enhancing performance. In this tutorial, you'll make a custom Python build with Docker to enable free threading and an experimental JIT compiler. Along the way, you'll...
6 days ago - In this quiz, you'll test your understanding of structural pattern matching in Python. This powerful control flow construct, introduced in Python 3.10, offers concise and readable syntax while promoting a declarative code style.
1 month ago - The rapid evolution of artificial intelligence (AI) has resulted in a powerful synergy between large language models (LLMs) and AI agents. This dynamic interplay is sort of like the tale of David and Goliath (without the fighting), where...
1 month ago - Just like the Moon is constantly influencing planet Earth's ocean tides, it is likely that, at some point, Lua influenced your navigation over the internet. Today, we'll embark on an adventure to uncover how this well-rounded scripting...
3 weeks ago - Learn about the new features of LibreOffice 24.8 which brings considerable update across its base modules. The document foundation released the final release of 2024, i.e. LibreOffice 24.8 a few weeks back. This release brings the usual...
Other stories
23 minutes ago - Mobile app development has evolved tremendously, and creating a robust, full-featured app today involves mastering both the front-end and back-end. If you're looking to build something practical, like an e-commerce platform, and want to...
23 minutes ago - While it might seem challenging to remain SOC 2 compliant, it is a critical process that helps earn your client’s trust and also ensures the security of your systems. SOC 2 assesses how well a company protects its data based on five trust...
23 minutes ago - Building fullstack web applications is one of the most valuable skills in modern web development. If you're looking for a project that can take you through the complete development process—from setting up the front end to managing a...
56 minutes ago - A playful concept where we use staggered scroll-based animations to create 3D grid effects and other transitions.
1 hour ago - Discover the latest release of Llamafile 0.8.14, an open-source AI tool by Mozilla Builders. With a new command-line chat interface, enhanced performance, and support for powerful models, Llamafile makes it easy to run large language...