Back

The Magic of Pattern Matching in Elixir

April 27, 2020

My main jam is Ruby on Rails and JavaScript development, however for a recent role, I spent a lot of my days writing code in Elixir, building an extensive back end integration for a major Shopify enterprise client. It was a really enjoyable challenge to come into a job with absolutely zero knowledge of the stack, and learn it from scratch during my onboarding. Being a functional language, Elixir has really concise syntax that often makes object-oriented languages look far more verbose than they need to be.

One of the most powerful features in Elixir is pattern matching. In many cases, properly leveraging pattern matching means you often don't need to rely on constructs like if or case.

At its most basic, Elixir's pattern matching looks like array and object deconstruction in JavaScript:

[a, b, c] = [:pattern, "matching", 100]
a #=> :pattern
b #=> "matching"
c #=> 100
view raw 1.ex hosted with ❤ by GitHub

The same can be done with maps, which are the Elixir equivalent of Ruby hashes or JavaScript objects:

%{first_name: first_name} =
%{first_name: "Javed", last_name: "Akhtar"}
first_name #=> "Javed"
view raw 2.ex hosted with ❤ by GitHub

The real magic comes in the matching part of pattern matching. If we try to match a map on a key that doesn't exist, we get an error:

%{middle_name: middle_name} =
%{first_name: "Javed", last_name: "Akhtar"}
** (MatchError) no match of right hand side value
view raw 3.ex hosted with ❤ by GitHub

We're not limited to matching only on keys. We can also match on values:

%{first_name: first_name, last_name: "Akhtar"} =
%{first_name: "Javed", last_name: "Akhtar"}
first_name #=> "Javed"
view raw 4.ex hosted with ❤ by GitHub
%{first_name: first_name, last_name: "Smith"} =
%{first_name: "Javed", last_name: "Akhtar"}
** (MatchError) no match of right hand side value
view raw 5.ex hosted with ❤ by GitHub

One of my favourite applications of pattern matching is the ability to declare multiple instances of a function by leveraging pattern matching in the function declaration. Suppose you have the following function, which takes an integer between 1 and 3 inclusive, as its only parameter:

def process_integer(value) do
case value do
1 -> {:ok, "one"}
2 -> {:ok, "two"}
3 -> {:ok, "three"}
_ -> :error
end
view raw 6.ex hosted with ❤ by GitHub

This can be re-written as:

def process_integer(1), do: {:ok, "one"}
def process_integer(2), do: {:ok, "two"}
def process_integer(3), do: {:ok, "three"}
def process_integer(_), do: :error
view raw 7.ex hosted with ❤ by GitHub

In many cases, this is much more concise and easy to read!

If you're a Ruby developer and you like what you've seen here, you're in luck! Pattern matching became available as an experimental feature in Ruby 2.7. I encourage you to try it out and see how it fits into your own dev workflow!