As temporary storage
One of the projects in the Elixir organization is the Plug
project, which is meant to be a common foundation for building web libraries and frameworks in Elixir.
The Plug library also allows developers to define their own plugs which can be run in a web server:
defmodule MyPlug do
use Plug.Builder
plug :set_header
plug :send_ok
def set_header(conn, _opts) do
put_resp_header(conn, "x-header", "set")
end
def send_ok(conn, _opts) do
send(conn, 200, "ok")
end
end
IO.puts "Running MyPlug with Cowboy on http://localhost:4000"
Plug.Adapters.Cowboy.http MyPlug, []
In the example above, we have used the plug/1
macro to connect functions that will be invoked when there is a web request. Internally, every time you call plug/1
, the Plug library stores the given argument in a @plugs
attribute. Just before the module is compiled, Plug runs a callback that defines a function (call/2
) which handles http requests. This function will run all plugs inside @plugs
in order.
In order to understand the underlying code, we’d need macros, so we will revisit this pattern in the meta-programming guide. However the focus here is on how using module attributes as storage allows developers to create DSLs.
Another example comes from the ExUnit framework which uses module attributes as annotation and storage:
defmodule MyTest do
use ExUnit.Case
@tag :external
test "contacts external service" do
# ...
end
end
Tags in ExUnit are used to annotate tests. Tags can be later used to filter tests. For example, you can avoid running external tests on your machine because they are slow and dependent on other services, while they can still be enabled in your build system.
We hope this section shines some light on how Elixir supports meta-programming and how module attributes play an important role when doing so.
In the next chapters we’ll explore structs and protocols before moving to exception handling and other constructs like sigils and comprehensions.