Custom sigils
As hinted at the beginning of this chapter, sigils in Elixir are extensible. In fact, using the sigil ~r/foo/i
is equivalent to calling the sigil_r
function with a binary and a char list as argument:
iex> sigil_r(<<"foo">>, 'i')
~r"foo"i
We can access the documentation for the ~r
sigil via the sigil_r
function:
iex> h sigil_r
...
We can also provide our own sigils by simply implementing functions that follow the sigil_{identifier}
pattern. For example, let’s implement the ~i
sigil that returns an integer (with the optional n
modifier to make it negative):
iex> defmodule MySigils do
...> def sigil_i(string, []), do: String.to_integer(string)
...> def sigil_i(string, [?n]), do: -String.to_integer(string)
...> end
iex> import MySigils
iex> ~i(13)
13
iex> ~i(42)n
-42
Sigils can also be used to do compile-time work with the help of macros. For example, regular expressions in Elixir are compiled into an efficient representation during compilation of the source code, therefore skipping this step at runtime. If you’re interested in the subject, we recommend you learn more about macros and check out how sigils are implemented in the Kernel
module (where the sigil_*
functions are defined).