Skip to content
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
259 changes: 224 additions & 35 deletions src/getting-started/plugins.md
Original file line number Diff line number Diff line change
Expand Up @@ -6,41 +6,13 @@ Plugins are Nova's middleware system. They run code before and after your contro

Every HTTP request flows through a pipeline:

1. **Pre-request plugins** run in order (lowest priority number first)
1. **Pre-request plugins** run in list definition order (first in the list runs first)
2. The **controller** handles the request
3. **Post-request plugins** run in order
3. **Post-request plugins** run in list definition order

A plugin module implements the `nova_plugin` behaviour and exports `pre_request/4`, `post_request/4`, and `plugin_info/0`.

Here is an example — the `nova_correlation_plugin` that ships with Nova:

```erlang
-module(nova_correlation_plugin).
-behaviour(nova_plugin).

-export([pre_request/4,
post_request/4,
plugin_info/0]).

pre_request(Req0, _Env, Opts, State) ->
CorrId = get_correlation_id(Req0, Opts),
ok = update_logger_metadata(CorrId, Opts),
Req1 = cowboy_req:set_resp_header(<<"X-Correlation-ID">>, CorrId, Req0),
Req = Req1#{correlation_id => CorrId},
{ok, Req, State}.

post_request(Req, _Env, _Opts, State) ->
{ok, Req, State}.

plugin_info() ->
#{title => <<"nova_correlation_plugin">>,
version => <<"0.2.0">>,
url => <<"https://github.com/novaframework/nova">>,
authors => [<<"Nova team">>],
description => <<"Add X-Correlation-ID headers to response">>}.
```

The `pre_request` callback picks up or generates a correlation ID and adds it to both the response headers and the request map. `post_request` is a no-op here. The `State` argument is global plugin state — see [Custom Plugins](../going-further/plugins-cors.md) for details on managing it with `init/0` and `stop/1`.
Each callback receives `(Req, Env, Options, State)` and returns `{ok, Req, State}` to pass control to the next plugin. Plugins can also enrich the request map — adding keys like `json`, `params`, or `correlation_id` — so that later plugins and controllers can use them.

## Configuring plugins

Expand All @@ -56,7 +28,168 @@ Plugins are configured in `sys.config` under the `nova` application key:

Each plugin entry is a tuple: `{Phase, Module, Options}` where Phase is `pre_request` or `post_request`.

`nova_request_plugin` is a built-in plugin that handles request body decoding. The options map controls what it decodes.
## nova_request_plugin

This built-in plugin handles request body decoding and query string parsing. It supports three options:

| Option | Type | Request map key | Description |
|---|---|---|---|
| `decode_json_body` | `true` | `json` | Decodes JSON request bodies |
| `read_urlencoded_body` | `true` | `params` | Decodes URL-encoded form bodies |
| `parse_qs` | `true \| list` | `parsed_qs` | Parses the URL query string |

### decode_json_body

When enabled, requests with `Content-Type: application/json` have their body decoded and placed in the `json` key:

```erlang
{pre_request, nova_request_plugin, #{decode_json_body => true}}
```

```erlang
create(#{json := #{<<"title">> := Title}} = _Req) ->
%% Use the decoded JSON body
{json, #{created => Title}}.
```

If the content type is `application/json` but the body is empty or malformed, the plugin returns a 400 response and the controller is never called.

`decode_json_body` is skipped for GET and DELETE requests since they typically have no body.

### read_urlencoded_body

When enabled, requests with `Content-Type: application/x-www-form-urlencoded` have their body parsed into a map under the `params` key:

```erlang
{pre_request, nova_request_plugin, #{read_urlencoded_body => true}}
```

```erlang
login(#{params := #{<<"username">> := User, <<"password">> := Pass}} = _Req) ->
%% Use the decoded form params
...
```

### parse_qs

Parses the URL query string (e.g. `?page=2&limit=10`). The value controls the format:

- `true` — returns a map in the `parsed_qs` key
- `list` — returns a proplist of `{Key, Value}` tuples

```erlang
{pre_request, nova_request_plugin, #{parse_qs => true}}
```

```erlang
index(#{parsed_qs := #{<<"page">> := Page}} = _Req) ->
%% Use query params
...
```

### Combining options

You can enable all three at once:

```erlang
{pre_request, nova_request_plugin, #{
decode_json_body => true,
read_urlencoded_body => true,
parse_qs => true
}}
```

## nova_correlation_plugin

This plugin assigns a unique correlation ID to every request — essential for tracing requests across services in your logs.

```erlang
{pre_request, nova_correlation_plugin, #{
request_correlation_header => <<"x-correlation-id">>,
logger_metadata_key => correlation_id
}}
```

| Option | Default | Description |
|---|---|---|
| `request_correlation_header` | *(none — always generates)* | Header to read an existing correlation ID from. Cowboy lowercases all header names. |
| `logger_metadata_key` | `<<"correlation-id">>` | Key set in OTP logger process metadata |

The plugin:

1. Reads the correlation ID from the configured header, or generates a v4 UUID if missing
2. Sets the ID in OTP logger metadata (so all log messages for this request include it)
3. Adds an `x-correlation-id` response header
4. Stores the ID in the request map as `correlation_id`

Access it in your controller:

```erlang
show(#{correlation_id := CorrId} = _Req) ->
logger:info("Handling request ~s", [CorrId]),
...
```

## nova_csrf_plugin

This plugin provides CSRF protection using the synchronizer token pattern. It generates a random token per session and validates it on state-changing requests.

```erlang
{pre_request, nova_csrf_plugin, #{}}
```

| Option | Default | Description |
|---|---|---|
| `field_name` | `<<"_csrf_token">>` | Form field name to check |
| `header_name` | `<<"x-csrf-token">>` | Header name to check (for AJAX) |
| `session_key` | `<<"_csrf_token">>` | Key used to store the token in the session |
| `excluded_paths` | `[]` | List of path prefixes to skip protection for |

### How it works

- **Safe methods** (GET, HEAD, OPTIONS): The plugin ensures a CSRF token exists in the session and injects it into the request map as `csrf_token`.
- **Unsafe methods** (POST, PUT, PATCH, DELETE): The plugin reads the submitted token from the form field or header and validates it against the session token. If the token is missing or doesn't match, the request is rejected with a 403 response.

### Template integration

In your ErlyDTL templates, include the token in forms as a hidden field:

```html
<form method="post" action="/login">
<input type="hidden" name="_csrf_token" value="{{ csrf_token }}" />
<!-- rest of form -->
<button type="submit">Log in</button>
</form>
```

The `csrf_token` variable is available because the plugin adds it to the request map, and Nova passes request map values to templates as template variables.

For AJAX requests, send the token in a header instead:

```javascript
fetch('/api/resource', {
method: 'POST',
headers: {
'X-CSRF-Token': csrfToken,
'Content-Type': 'application/json'
},
body: JSON.stringify(data)
});
```

### Excluding API paths

If you have API routes that use a different authentication scheme (e.g. bearer tokens), exclude them from CSRF checks:

```erlang
{pre_request, nova_csrf_plugin, #{
excluded_paths => [<<"/api/">>]
}}
```

```admonish warning
`nova_request_plugin` must run **before** `nova_csrf_plugin` so that form params are parsed into the `params` key. Plugin order matters — list `nova_request_plugin` first.
```

## Setting up for our login form

Expand All @@ -74,11 +207,67 @@ With this setting, form POST data is decoded and placed in the `params` key of t
You can enable multiple decoders at once. We will add `decode_json_body => true` later when we build our [JSON API](../building-api/json-api.md).
```

## Built-in plugins
## Per-route plugins

So far we've configured plugins globally in `sys.config`. You can also set plugins per route group by adding a `plugins` key to the group map in your router:

```erlang
routes(_Environment) ->
[
#{prefix => "/api",
plugins => [
{pre_request, nova_request_plugin, #{decode_json_body => true}}
],
routes => [
{"/posts", fun blog_posts_controller:index/1, #{methods => [get]}}
]
},
#{prefix => "",
plugins => [
{pre_request, nova_request_plugin, #{read_urlencoded_body => true}}
],
routes => [
{"/login", fun blog_main_controller:login/1, #{methods => [get, post]}}
]
}
].
```

Nova ships with several plugins. See the [Nova documentation](https://hexdocs.pm/nova/plugins.html) for the full list.
When `plugins` is set on a route group, it **overrides** the global plugin configuration for those routes. This lets you use JSON decoding for API routes and form decoding for HTML routes without conflict.

See [Custom Plugins and CORS](../going-further/plugins-cors.md) for more examples, including per-route CORS.

## Built-in plugins summary

| Plugin | Phase | Purpose | Key request map additions |
|---|---|---|---|
| `nova_request_plugin` | pre_request | Decodes JSON/form bodies, parses query strings | `json`, `params`, `parsed_qs` |
| `nova_correlation_plugin` | pre_request | Assigns correlation IDs for request tracing | `correlation_id` |
| `nova_csrf_plugin` | pre_request | CSRF protection via synchronizer token | `csrf_token` |
| `nova_cors_plugin` | pre_request | Adds CORS headers, handles preflight requests | *(headers only)* |

A realistic configuration using multiple plugins:

```erlang
{nova, [
{plugins, [
{pre_request, nova_correlation_plugin, #{
request_correlation_header => <<"x-correlation-id">>,
logger_metadata_key => correlation_id
}},
{pre_request, nova_request_plugin, #{
decode_json_body => true,
read_urlencoded_body => true,
parse_qs => true
}},
{pre_request, nova_csrf_plugin, #{
excluded_paths => [<<"/api/">>]
}}
]}
]}
```

For now, the key one is `nova_request_plugin` — it handles JSON body decoding, URL-encoded body decoding, and multipart uploads.
Ordering matters: `nova_correlation_plugin` runs first so all subsequent log messages include the correlation ID. `nova_request_plugin` runs before `nova_csrf_plugin` so form params are available for token validation.

---

Expand Down