How to process Phoenix conn after render before it is sent as a response

There are a bunch of operations you may want to perform before the rendered response in conn is sent to the client, such as minification. In this post I'll show you how to do it easily.
Plug.Conn
allows you to register a "before send" hook via register_before_send/2
function:
require Logger
Plug.Conn.register_before_send(conn, fn conn ->
Logger.info("Sent a #{conn.status} response")
conn
end)
It's very handy especially if you want to process conn with a plug. Here is an example from a simple minify_response
library:
defmodule MinifyResponse.HTML do
alias MinifyResponse.HTML
def init(opts \\ []), do: opts
def call %Plug.Conn{} = conn, _ \\ [] do
Plug.Conn.register_before_send(conn, &HTML.minify_body/1)
end
def minify_body(%Plug.Conn{} = conn) do
case List.keyfind(conn.resp_headers, "content-type", 0) do
{_, "text/html" <> _} ->
body = conn.resp_body
|> Floki.parse
|> Floki.raw_html
%Plug.Conn{conn | resp_body: body}
_ ->
conn
end
end
end
As you can see in this example, you can for instance use the register_before_send/2
function to process already rendered HTML. However, this is just an example, and there are many other use cases worth exploring.
That's it! It's a very simple yet powerful trick. If you use it in your project to do some cool stuff - let me in the comments, I'd love to hear that!
Related posts
Dive deeper into this topic with these related posts
You might also like
Discover more content from this category
Sometimes we want to store some piece of information while using a terminal, for example, a result of an executed command. We usually save it into some temporary file which is going to be deleted after all. There’s a better way.
In the world of Elixir programming, there are numerous features and syntactic constructs that contribute to the language's elegance and expressiveness. One such hidden gem is the concept of "implicit try".
TLDR: With jest-extended
package you can write: expect([...set]).toIncludeSameMembers([value1, value2]);
. If you are looking to a native, but longer solution scroll down a bit.