I like this. I have looked wrapping a session up in a state monad.
Session.for request do
value <- get(:user_id)
_ <- set(csrf: new_token)
after
response
end
This is dreamcoding no implementation in the works yet
Better erlang support in 0.15.4 release.
The main module now has a parallel Erlang friendly implementation. anyone wanting to try to use Ace + Raxx in erlang can now use handlers like this.
-module(greetings_www).
-behaviour('Elixir.Raxx.Server').
-export ([handle_head/2]).
handle_head(_Request, _Config) ->
Response = raxx:response(ok),
raxx:set_body(Response, <<"Hello, World">>).
Implementation.
The whole :raxx
module simply delegates every function in the Raxx
module
defmodule :raxx do
@moduledoc false
# A module that is clean to call in erlang code with the same functionality as `Raxx`.
for {name, arity} <- Raxx.__info__(:functions) do
args = for i <- 0..arity, i > 0, do: Macro.var(:"#{i}", nil)
defdelegate unquote(name)(unquote_splicing(args)), to: Raxx
end
end
Extra helpers for fetching port and host information from a request added: 0.15.5
iex> Raxx.request(:GET, "http://www.example.com/hello")
...> |> Raxx.request_host()
"www.example.com"
iex> Raxx.request(:GET, "http://www.example.com:1234/hello")
...> |> Raxx.request_host()
"www.example.com"
iex> Raxx.request(:GET, "http://www.example.com:1234/hello")
...> |> Raxx.request_port()
1234
iex> Raxx.request(:GET, "http://www.example.com/hello")
...> |> Raxx.request_port()
80
iex> Raxx.request(:GET, "https://www.example.com/hello")
...> |> Raxx.request_port()
443
Serialization and Parsing tools added 0.15.7
These tools are part of the Raxx library as they can be used to implement both servers and clients.
The Ace server and a ServerSentEvent Client library are being updated to make use of these tools.
Hopefully a Raxx based client library will follow.
iex> request = Raxx.request(:GET, "http://example.com/path?qs")
...> |> Raxx.set_header("accept", "text/plain")
...> {head, body} = Raxx.HTTP1.serialize_request(request)
...> :erlang.iolist_to_binary(head)
"GET /path?qs HTTP/1.1\r\nhost: example.com\r\naccept: text/plain\r\n\r\n"
iex> body
{:complete, ""}
iex> response = Raxx.response(200)
...> |> Raxx.set_header("content-type", "text/plain")
...> |> Raxx.set_body("Hello, World!")
...> {head, body} = Raxx.HTTP1.serialize_response(response)
...> :erlang.iolist_to_binary(head)
"HTTP/1.1 200 OK\r\ncontent-length: 13\r\ncontent-type: text/plain\r\n\r\n"
iex> body
{:complete, "Hello, World!"}
Raxx now has a simple client for HTTP/1.1
Examples
synchronous
request = Raxx.request(:GET, "http://example.com")
|> Raxx.set_header("accept", "text/html")
{:ok, response} = Raxx.SimpleClient.send_sync(request, 2000)
asynchronous
request = Raxx.request(:GET, "http://example.com")
|> Raxx.set_header("accept", "text/html")
channel = Raxx.SimpleClient.send_async(request)
{:ok, response} = Raxx.SimpleClient.yield(channel, 2000)
Simple Client
Client is simple because it makes very few assumptions about how to deal with requests and responses.
For example.
- Cookies are not managed, each request is handled in isolation
- Connections are not limited or reused, each request gets a new connection
These omissions of functionality make the client much simpler to work with and reason about.
They are also not limitations in many cases. An API client probably doesn’t use cookies.
Composable requests
Because a Raxx.Request
is just a data structure,
using this client separates the logic of building the request from the side effect of sending it.
This makes it very easy add custom functionality for your own clients.
import Raxx
def set_request_id(request, request_id) do
request
|> set_header("x-request-id", request_id)
end
def set_json_payload(request, json) do
request
|> set_header("content-type", "application/json")
|> set_body(Poison.encode!(json))
end
# later
request = Raxx.request(:POST, "http://api.com/create_user")
|> set_request_id("12345")
|> set_json_payload(%{"username" => "alice"})
The value of this separation for me in my own projects has been with testing.
It’s now very easy to create invalid requests. just forget to set a request_id and then send it to the API.
Raxx 0.15.8 adds Raxx.SimpleClient
Raxx.View and Raxx.Layout added in 0.15.9.
These changes include an EEx.HTMLEngine
, this module will be moved to a separate project at somepoint.
Raxx.Layout
Creating a new layout
# www/layout.html.eex
<h1>My Site</h1>
<%= __content__ %>
# www/layout.ex
defmodule WWW.Layout do
use Raxx.Layout,
layout: "layout.html.eex"
def format_datetime(datetime) do
DateTime.to_iso8601(datetime)
end
end
Creating a view
# www/show_user.html.eex
<h2><%= user.username %></h2>
<p>signed up at <%= format_datetime(user.interted_at) %></p>
# www/show_user.ex
defmodule WWW.ShowUser do
use Raxx.Server
use WWW.Layout,
template: "show_user.html.eex",
arguments: [:user]
@impl Raxx.Server
def handle_request(_request, _state) do
user = # fetch user somehow
response(:ok)
|> render(user)
end
end
Raxx.View
Example
# greet.html.eex
<p>Hello, <%= name %></p>
# layout.html.eex
<h1>Greetings</h1>
<%= __content__ %>
# greet.ex
defmodule Greet do
use Raxx.View,
arguments: [:name],
layout: "layout.html.eex"
end
# iex -S mix
Greet.html("Alice")
# => "<h1>Greetings</h1>\n<p>Hello, Alice</p>"
Raxx.response(:ok)
|> Greet.render("Bob")
# => %Raxx.Response{
# status: 200,
# headers: [{"content-type", "text/html"}],
# body: "<h1>Greetings</h1>\n<p>Hello, Alice</p>"
# }
0.16.0 A Bucket of changes, focused around adding utilities and improving error cases.
Includes BREAKING CHANGE:
-
set_body
automatically adds the content length. -
set_body
raises exception for responses that cannot have a body. -
html_escape
moved toEExHTML
project.
CHANGELOG
Added
-
:maximum_body_length
options when usingRaxx.Server
so protect against bad clients. -
Raxx.set_content_length/3
to set the content length of a request or response. -
Raxx.get_content_length/2
to get the integer value for the content length of a message. -
Raxx.set_attachment/2
helper to tell the browser the response should be stored on disk rather than displayed in the browser. -
Raxx.safe?/1
to check if request method marks it as safe. -
Raxx.idempotent?/1
to check if request method marks it as idempotent. -
Raxx.get_query/1
replacement forRaxx.fetch_query/1
because it never returns error case.
Changed
-
Raxx.set_body/2
will raise an exception for responses that cannot have a body. -
Raxx.set_body/2
automatically adds the “content-length” if it is able. - Requests and Responses now work with iodata.
-
Raxx.body
spec changed to include iodata. - Improved error message when using invalid iolist in a view.
-
Raxx.NotFound
works with iodata for temporary body during buffering. -
render
function generated byRaxx.View
sets body to iodata from view,
without turning into a binary.
-
-
Raxx.set_header/2
now raises when setting connection specific headers.
Removed
-
EEx.HTML
replaced byEExHTML
from theeex_html
hex package. -
Raxx.html_escape/1
replaced byEExHTML.escape_to_binary/1
.
Fixed
-
Raxx.HTTP1.parse_request/1
andRaxx.HTTP1.parse_response/1
handle more error cases.- response/request sent when request/response expected.
- multiple “host” headers in message.
- invalid “content-length” header.
- multiple “content-length” headers in message.
- invalid “connection” header.
- multiple “connection” headers in message.
Breaking changes to separate the Streaming interface from the Simple interface are coming in the next version.
https://github.com/CrowdHailer/raxx/pull/143
This pull request introduces the changes as well as linking to one project for an example of upgrading.
Feedback invited on the PR, or in slack
The reason for these changes is to lay the groundwork for adding better middleware.
For example the new middleware will be able to be configured at Runtime.
New middleware will also not require the use of Macros.
It seems like it would be cool to integrate with my Vampyre
package when it’s done for even faster templates
Have a link?
Plugs are not really compile time. The Plug.Builder DSL is compile-time but not Plug themselves. For example, if you need to dynamically initialize a Plug, you can easily invoke that Plug at runtime. If you want to have a builder that works fully at runtime, that should be possible too.
EDIT: Although we should probably move this discussion elsewhere so we don’t sidetrack the Raxx discussion.
It’s an experimental library I’m writing. You can find a description (and link to the repo here). But on further thought, It might be too tailored to Plug applications. But the main template compiler could be used with Raxx. I’ll look into it when I’ve completed the Phoenix implementation.
@tmbb It looks interesting. I need to spend some more time to dive in to the entirety of that thread I think.
(although Vampyre depends on
phoneix_html
for some utilities for escaping HTML and other things).
I don’t know if https://github.com/CrowdHailer/eex_html might be of use to use. I pulled out some general HTML things there because I was only using a fraction of phoenix_html.
The main optimization is the fact that I turn some complex HTML widgets into macros that are aggressively optimized at compile-time. You don’t seem to have any HTML helpers, so speed benefits might be minimal… For a highly dynamic template, like one that uses form_for/4
I get impressive speed benefits, but if the “Raxx way” is to write all your HTML explicitly (no HTML helpers), then there might be no benefits.
No I just meant that EExHTML might be a useful dependency, instead of phoenix_html, as it contains just the HTML utilities. Are you relying on phoenix_html’s implementation of form_for
?
There is no “Raxx way”. But in my current work I don’t make much use of form helpers
Middleware added, supports compile-time or run-time configuration
Raxx now contains the following:
- Raxx.Middleware behaviour for implementing middleware
- Raxx.Stack composing middleware and servers/controllers/actions
- Raxx.Router apply middleware to specific routes in an application
0.17.4 Dialyzer warnings in Raxx.Router
fixed.
The new middleware capable router module generated code that resulted in dialyzer warnings when using the section
macro.
Thanks to @Adzz for raising this issue.
Roadmap to 1.0
The next goal for Raxx is to make a 1.0 release. This reflects the success that has been had using it in production. Once the tasks on this tracking issue are finished a 1.0 release should follow.
0.17.5 released
Extracts the Raxx.Logger
module to it’s own project.
Add {:raxx_logger, "~> 0.1.0}
to you mix.exs file for a backwards compatible update