WebTransport for Erlang
An Erlang implementation of the WebTransport protocol over:
- HTTP/3 (draft-ietf-webtrans-http3-15) using native QUIC streams
- HTTP/2 (draft-ietf-webtrans-http2-14) using RFC 9297 capsules
WebTransport provides bidirectional communication between a client and server using reliable streams and unreliable datagrams over HTTP/3 or HTTP/2.
Requirements
- Erlang/OTP 26.0 or later
- rebar3
- OpenSSL (for certificate generation)
Installation
Add to your rebar.config:
{deps, [
{webtransport, {git, "https://github.com/benoitc/erlang-webtransport.git", {branch, "main"}}}
]}.Fetch and compile:
rebar3 get-deps
rebar3 compileTLS certificates
WebTransport requires TLS. For local development, generate a self-signed certificate:
openssl req -x509 -newkey rsa:2048 \
-keyout key.pem -out cert.pem \
-days 365 -nodes -subj '/CN=localhost'This produces two files in the current directory:
cert.pem-- the X.509 certificatekey.pem-- the unencrypted private key
For production, use certificates from a trusted CA (e.g. Let's Encrypt). The certfile and keyfile options accept absolute or relative file paths.
Quick start
Compile the bundled examples and start a shell with examples/ on the code path:
erlc -o examples examples/echo_server.erl examples/echo_client.erl
ERL_FLAGS="-pa examples" rebar3 shell --apps webtransport
The -pa examples flag is required so that echo_server (or any other handler module you keep outside src/) is reachable from the session process — otherwise session init fails with {handler_not_loaded, echo_server, nofile}.
1. Start the server
{ok, _} = webtransport:start_listener(my_server, #{
transport => h3,
port => 4433,
certfile => "cert.pem",
keyfile => "key.pem",
handler => echo_server
}).2. Connect a client
{ok, Session} = webtransport:connect("localhost", 4433, <<"/echo">>, #{
transport => h3,
verify => verify_none
}).3. Send and receive
%% Open a bidirectional stream
{ok, Stream} = webtransport:open_stream(Session, bidi).
%% Send data
ok = webtransport:send(Session, Stream, <<"hello">>).
%% Receive the echo
receive
{webtransport, Session, {stream, Stream, bidi, Data}} ->
io:format("Got: ~s~n", [Data]) %% prints "Got: echo: hello"
after 3000 ->
io:format("timeout~n")
end.
%% Send a datagram (unreliable)
ok = webtransport:send_datagram(Session, <<"ping">>).
receive
{webtransport, Session, {datagram, DgData}} ->
io:format("Got: ~s~n", [DgData]) %% prints "Got: echo: ping"
after 3000 ->
io:format("timeout~n")
end.
%% Clean up
webtransport:close_session(Session).
webtransport:stop_listener(my_server).Writing a handler
Handlers implement the webtransport_handler behaviour. The session process calls your handler's callbacks when events occur.
Minimal handler
-module(my_handler).
-behaviour(webtransport_handler).
-export([init/3, handle_stream/4, handle_datagram/2,
handle_stream_closed/3, terminate/2]).
init(_Session, _Req, _Opts) ->
{ok, #{}}.
handle_stream(Stream, Type, Data, State) ->
%% Echo bidi streams
Actions = case Type of
bidi -> [{send, Stream, <<"echo: ", Data/binary>>}];
uni -> []
end,
{ok, State, Actions}.
handle_datagram(Data, State) ->
{ok, State, [{send_datagram, <<"echo: ", Data/binary>>}]}.
handle_stream_closed(_Stream, _Reason, State) ->
{ok, State}.
terminate(_Reason, _State) ->
ok.Callback reference
All callbacks receive the handler state and return {ok, NewState}, {ok, NewState, Actions}, or {stop, Reason, NewState}.
init/3 (required)
Called when a session is established.
init(Session, Request, Opts) -> {ok, State} | {ok, State, Actions} | {error, Reason}Session-- the session pid (use forwebtransport:open_stream/2etc.)Request--#{path := binary(), authority := binary(), headers => [{binary(), binary()}]}Opts-- thehandler_optsmap from the listener or connect call
init/2 is a back-compat shim called only when init/3 is not exported; it loses Opts.
handle_stream/4 (required)
Called when data arrives on a stream.
handle_stream(Stream, Type, Data, State) -> {ok, State} | {ok, State, Actions} | {stop, Reason, State}Stream-- stream ID (integer)Type--bidioruniData-- binary payload
handle_stream_fin/4 (optional)
Called when data arrives with the FIN flag (last data on the stream). If not exported, handle_stream/4 is called instead.
handle_stream_fin(Stream, Type, Data, State) -> {ok, State} | {ok, State, Actions} | {stop, Reason, State}handle_datagram/2 (required)
Called when an unreliable datagram arrives.
handle_datagram(Data, State) -> {ok, State} | {ok, State, Actions} | {stop, Reason, State}handle_stream_closed/3 (required)
Called when a stream closes or is reset by the peer.
handle_stream_closed(Stream, Reason, State) -> {ok, State} | {stop, Reason, State}Reason--normal | {reset, ErrorCode} | {error, Term} | {stop_sending, ErrorCode}
handle_info/2 (optional)
Called for any Erlang message not handled by the session state machine.
handle_info(Info, State) -> {ok, State} | {ok, State, Actions} | {stop, Reason, State}handle_action_failed/3 (optional)
Called when an action returned by a callback fails to dispatch (e.g. sending to an unknown stream). Default behaviour: log and continue.
handle_action_failed(Action, Reason, State) -> {ok, State} | {stop, Reason, State}origin_check/2 (optional)
Called before init/3 on server-side CONNECT requests. Return accept or {reject, Status, Reason} to refuse a session.
origin_check(Headers, Opts) -> accept | {reject, 400..599, binary()}
When not exported, the default behaviour rejects requests that carry an origin header (browser clients) with 403. Requests without an origin header (non-browser clients) are accepted. Implement this callback to allow browser origins:
origin_check(Headers, _Opts) ->
case proplists:get_value(<<"origin">>, Headers) of
<<"https://myapp.example.com">> -> accept;
_ -> {reject, 403, <<"origin not allowed">>}
end.terminate/2 (required)
Called when the session ends.
terminate(Reason, State) -> term()Reason--normal | {closed, ErrorCode, Message} | {error, Term} | Term
When the peer sends CLOSE_SESSION, Reason is {closed, ErrorCode, Message}.
Actions
Callbacks can return a list of actions as the third element of the return tuple:
handle_stream(Stream, bidi, Data, State) ->
{ok, State, [
{send, Stream, <<"echo: ", Data/binary>>},
{send_datagram, <<"got data on stream">>}
]}.| Action | Description |
|---|---|
{send, Stream, Data} | Send data on a stream |
{send, Stream, Data, fin} | Send data and half-close the stream |
{send_datagram, Data} | Send an unreliable datagram |
{open_stream, bidi | uni} | Open a new stream |
{close_stream, Stream} | Half-close a stream (send FIN) |
{reset_stream, Stream, ErrorCode} | Abort a stream with an error code |
{stop_sending, Stream, ErrorCode} | Ask the peer to stop sending on a stream |
drain_session | Signal that no new streams will be opened |
{close_session, ErrorCode, Reason} | Close the session |
Server API
Starting a listener
{ok, Pid} = webtransport:start_listener(Name, Opts).Name is an atom used to identify the listener. Opts is a map:
| Option | Required | Default | Description |
|---|---|---|---|
transport | yes | -- | h2 (HTTP/2) or h3 (HTTP/3) |
port | yes | -- | TCP/UDP port to listen on |
certfile | yes | -- | Path to TLS certificate (PEM) |
keyfile | yes | -- | Path to TLS private key (PEM) |
handler | yes | -- |
Module implementing webtransport_handler |
handler_opts | no | #{} |
Map passed to handler:init/3 as the third argument |
max_data | no | 1048576 (1 MB) | Session-level flow-control window (bytes) |
max_streams_bidi | no | 100 | Max concurrent bidirectional streams |
max_streams_uni | no | 100 | Max concurrent unidirectional streams |
compat_mode | no | auto | HTTP/3 draft selection (see Compatibility) |
Managing listeners
%% Stop a listener
ok = webtransport:stop_listener(Name).
%% List active listeners
[Name] = webtransport:listeners().
%% Get listener info
{ok, #{transport := h3, port := 4433, handler := my_handler}} =
webtransport:listener_info(Name).Embedding in an HTTP server
Use accept/4 to add WebTransport to an existing HTTP/3 or HTTP/2 server.
Your server owns the listener and routing; accept/4 upgrades a specific
CONNECT request into a WebTransport session -- the same pattern as WebSocket
upgrade.
HTTP/3 example
%% 1. Merge WT config into your quic_h3 server
H3Opts = maps:merge(webtransport:h3_settings(), #{
cert => CertDer, key => PrivateKey,
handler => fun my_handler/5
}),
{ok, _} = quic_h3:start_server(my_server, 443, H3Opts).
%% 2. In your request handler, route and upgrade
my_handler(H3Conn, StreamId, <<"CONNECT">>, <<"/chat">>, Headers) ->
{ok, _Session} = webtransport:accept(H3Conn, StreamId, Headers, #{
transport => h3,
handler => chat_handler,
handler_opts => #{room => lobby}
});
my_handler(H3Conn, StreamId, <<"CONNECT">>, <<"/game">>, Headers) ->
{ok, _Session} = webtransport:accept(H3Conn, StreamId, Headers, #{
transport => h3,
handler => game_handler
});
my_handler(H3Conn, StreamId, <<"GET">>, _Path, _Headers) ->
quic_h3:send_response(H3Conn, StreamId, 200, []),
quic_h3:send_data(H3Conn, StreamId, <<"hello">>, true).HTTP/2 example
H2Opts = maps:merge(webtransport:h2_settings(), #{
cert => "cert.pem", key => "key.pem",
handler => fun my_h2_handler/5
}),
{ok, _} = h2:start_server(443, H2Opts).
my_h2_handler(Conn, StreamId, <<"CONNECT">>, <<"/wt">>, Headers) ->
{ok, _Session} = webtransport:accept(Conn, StreamId, Headers, #{
transport => h2,
handler => my_wt_handler
});
my_h2_handler(Conn, StreamId, <<"GET">>, Path, Headers) ->
serve_static(Conn, StreamId, Path, Headers).accept/4 options
| Option | Default | Description |
|---|---|---|
transport | h3 | h3 or h2 |
handler | required |
Module implementing webtransport_handler |
handler_opts | #{} |
Passed to handler:init/3 |
compat_mode | auto | HTTP/3 draft selection |
max_data | 1048576 | Session flow-control window |
max_streams_bidi | 100 | Max bidi streams |
max_streams_uni | 100 | Max uni streams |
accept/4 validates the CONNECT headers, starts a session, registers it
as the stream handler (same as quic_h3:set_stream_handler/3), sends 200,
and returns {ok, Session}. The session pid works with all session API
functions (send/3, open_stream/2, etc.).
See the Integration guide for details.
Client API
Connecting
{ok, Session} = webtransport:connect(Host, Port, Path, Opts).| Option | Default | Description |
|---|---|---|
transport | h3 | h2 or h3 |
verify | verify_peer | verify_peer or verify_none |
cacertfile | -- | Path to CA certificate bundle for peer verification |
certfile | -- | Client certificate (mutual TLS) |
keyfile | -- | Client private key (mutual TLS) |
headers | [] | Extra headers on the CONNECT request |
timeout | 30000 | Connection timeout in milliseconds |
handler_opts | #{} |
Map passed to the handler's init/3 |
compat_mode | latest | HTTP/3 draft selection (see Compatibility) |
Connecting with a custom handler
{ok, Session} = webtransport:connect(Host, Port, Path, Opts, MyHandler).
When no handler is given, webtransport_client_handler is used. It forwards all events to the calling process as messages.
Default client messages
When using the default handler, the process that called connect/4 receives:
| Message | Description |
|---|---|
{webtransport, Session, {stream, Stream, Type, Data}} | Stream data received |
{webtransport, Session, {stream_fin, Stream, Type, Data}} | Stream data with FIN |
{webtransport, Session, {datagram, Data}} | Datagram received |
{webtransport, Session, {stream_closed, Stream, Reason}} | Stream closed |
{webtransport, Session, closed} | Session terminated |
Session API
Once connected, use these functions on the session pid:
%% Streams
{ok, Stream} = webtransport:open_stream(Session, bidi). %% or uni
ok = webtransport:send(Session, Stream, Data).
ok = webtransport:send(Session, Stream, Data, fin).
ok = webtransport:close_stream(Session, Stream).
ok = webtransport:reset_stream(Session, Stream, ErrorCode).
ok = webtransport:stop_sending(Session, Stream, ErrorCode).
%% Datagrams
ok = webtransport:send_datagram(Session, Data).
%% Session lifecycle
ok = webtransport:drain_session(Session).
ok = webtransport:close_session(Session).
ok = webtransport:close_session(Session, ErrorCode).
ok = webtransport:close_session(Session, ErrorCode, Reason).
%% Introspection
{ok, Info} = webtransport:session_info(Session).
%% Info :: #{transport, stream_count, local_max_data, remote_max_data,
%% local_max_streams_bidi, local_max_streams_uni,
%% remote_max_streams_bidi, remote_max_streams_uni,
%% bytes_sent, bytes_received, close_info => {Code, Msg}}Compatibility mode
The HTTP/3 WebTransport spec has evolved through multiple drafts. As of April 2026, Safari and the IETF are on draft-15; Chrome and Firefox still use draft-02. This library keeps the two paths disjoint:
| Mode | :protocol | SETTINGS | Use when |
|---|---|---|---|
latest | webtransport-h3 | wt_enabled=1 + initial flow-control | Talking to draft-15 peers (Safari, spec-conformant servers) |
legacy_browser_compat | webtransport | SETTINGS_ENABLE_WEBTRANSPORT_DRAFT02=1 | Talking to draft-02 peers (Chrome, Firefox, quic-go v0.9) |
auto (server only) | accepts both | advertises both | Let the server accept either draft based on the client's request |
Server default:auto -- the server inspects :protocol and the Sec-Webtransport-Http3-Draft02 header on each CONNECT request and dispatches to the matching code path. Pin to latest or legacy_browser_compat to refuse the other:
%% Accept only draft-15 clients
webtransport:start_listener(strict, #{
transport => h3,
port => 4433,
certfile => "cert.pem",
keyfile => "key.pem",
handler => my_handler,
compat_mode => latest
}).Client default:latest. To connect to a draft-02 server:
{ok, Session} = webtransport:connect("example.com", 443, <<"/wt">>, #{
transport => h3,
compat_mode => legacy_browser_compat,
verify => verify_none
}).
HTTP/2 WebTransport (transport => h2) has no draft-02 variant; compat_mode applies only to HTTP/3.
Flow control
WebTransport provides session-level and per-stream flow control. Defaults:
| Parameter | Default | Description |
|---|---|---|
max_data | 1 MB | Session-level byte limit |
max_streams_bidi | 100 | Max concurrent bidirectional streams |
max_streams_uni | 100 | Max concurrent unidirectional streams |
Override at listener or connect time:
webtransport:start_listener(my_server, #{
transport => h3,
port => 4433,
certfile => "cert.pem",
keyfile => "key.pem",
handler => my_handler,
max_data => 4194304, %% 4 MB
max_streams_bidi => 200,
max_streams_uni => 50
}).The library enforces:
- Monotonicity -- a peer sending a decreased
WT_MAX_DATAorWT_MAX_STREAMScloses the session withWT_FLOW_CONTROL_ERROR. - Peer stream count -- streams opened beyond the advertised limit are rejected with
WT_BUFFERED_STREAM_REJECTED. - HTTP/3 prohibition --
WT_MAX_STREAM_DATAandWT_STREAM_DATA_BLOCKEDcapsules are session errors on HTTP/3 (per-stream flow control uses native QUIC). - HTTP/2 WebTransport-Init -- the
WebTransport-Initstructured-field header (draft-14 section 4.3.2) carries initial flow-control windows. When both SETTINGS and the header are present, the greater value is used.
Datagram limits
Datagrams are bounded by the transport:
| Transport | Max payload | Reason |
|---|---|---|
| HTTP/3 | 65527 bytes | max_datagram_frame_size (65535) minus session-id varint (up to 8 bytes) |
| HTTP/2 | 65471 bytes | HTTP/2 initial stream window (65535) minus capsule framing overhead (64 bytes) |
Sending a datagram larger than the limit returns {error, datagram_too_large}.
Error codes
The library uses draft-defined error codes:
| Constant | Value | Meaning |
|---|---|---|
WT_BUFFERED_STREAM_REJECTED | 0x3994bd84 | Peer exceeded buffered stream limit |
WT_SESSION_GONE | 0x170d7b68 | Session terminated; stream belongs to closed session |
WT_FLOW_CONTROL_ERROR | 0x045d4487 | Flow-control violation (e.g. decreased limit) |
WT_REQUIREMENTS_NOT_MET | 0x212c0d48 | Protocol requirements not satisfied |
Application-level error codes are mapped to/from QUIC error codes per draft-15 section 3.3.
Session termination
When a session closes (locally or by the peer):
-
All live streams are reset with
WT_SESSION_GONE. -
A
CLOSE_SESSIONcapsule is sent (or received) with an error code and reason (max 1024 bytes). - The CONNECT stream is half-closed (FIN sent).
-
The handler's
terminate/2receives{closed, ErrorCode, Reason}as the reason.
If the peer FINs the CONNECT stream without sending CLOSE_SESSION, the session terminates with {closed, 0, <<"peer closed CONNECT">>}.
Architecture
webtransport Public API (connect, send, open_stream, ...)
|
webtransport_session gen_statem per session (flow control, handler dispatch)
|
+-- webtransport_h3 HTTP/3 transport (QUIC streams + datagrams)
| +-- wt_h3 Settings, headers, peer validation
| +-- wt_h3_capsule CLOSE/DRAIN capsule encode/decode
| +-- webtransport_h3_router Per-connection stream demux
|
+-- webtransport_h2 HTTP/2 transport (capsules over CONNECT stream)
| +-- wt_h2_capsule All 14 capsule types encode/decode
| +-- wt_h2_init WebTransport-Init header parse/encode
|
+-- webtransport_stream Per-stream state (flow control, buffers)
+-- wt_error App error code mapping (draft-15 section 3.3)
+-- webtransport_handler Behaviour definitionExamples
The examples/ directory contains a working echo server and client.
Compile and run them:
# Generate certs (if not done already)
openssl req -x509 -newkey rsa:2048 \
-keyout key.pem -out cert.pem \
-days 365 -nodes -subj '/CN=localhost'
# Compile examples
erlc -o examples \
-pa _build/default/lib/webtransport/ebin \
-pa _build/default/lib/quic/ebin \
-pa _build/default/lib/erlang_h2/ebin \
-I include \
examples/echo_server.erl examples/echo_client.erl
# Start a shell
ERL_FLAGS="-pa examples" rebar3 shell --apps webtransport%% Start the echo server
echo_server:start(4433).
%% Run the echo client tests
echo_client:test("localhost", 4433).Testing
# Unit tests (298 tests)
rebar3 eunit
# Integration tests (54 tests, both h2 and h3)
rebar3 ct --suite=test/webtransport_SUITE
# Docker interop (erlang vs erlang)
cd interop && docker compose up --abort-on-container-exit --build
# Cross-implementation interop (erlang vs webtransport-go)
./scripts/interop_cross.shSpecifications
- draft-ietf-webtrans-http3-15 -- WebTransport over HTTP/3
- draft-ietf-webtrans-http2-14 -- WebTransport over HTTP/2
- RFC 9297 -- HTTP Datagrams and the Capsule Protocol
- RFC 9000 -- QUIC: A UDP-Based Multiplexed and Secure Transport
- RFC 9114 -- HTTP/3
- RFC 8441 -- Bootstrapping WebSockets with HTTP/2 (Extended CONNECT)
- W3C WebTransport API -- Browser API specification
Sponsors
<img src="docs/images/enki-multimedia.svg" alt="Enki Multimedia" height="50" />License
Apache-2.0