iridium-stomp
An asynchronous STOMP 1.2 client library for Rust.
Early Development: This library is heavily tested (300+ unit and fuzz tests) but has not yet been battle-tested in production environments. APIs may change. Use with appropriate caution.
Design Goals
-
Async-first architecture — Built on Tokio from the ground up.
-
Correct frame parsing — Handles arbitrary TCP chunk boundaries, binary bodies with embedded NULs, and the full STOMP 1.2 frame format.
-
Automatic heartbeat management — Negotiates heartbeat intervals per the spec, sends heartbeats when idle, and detects missed heartbeats from the server.
-
Transparent reconnection — Stability-aware exponential backoff, automatic resubscription, and pending message cleanup on disconnect.
-
Small, explicit API — One way to do things, clearly documented, easy to understand.
-
Production-ready testing — 150+ tests including fuzz testing, stress testing, and regression capture for previously-failing edge cases.
Quick Start
use ;
async
Features
Heartbeat Negotiation
Heartbeats are negotiated automatically during connection. Use the provided
constants or the Heartbeat struct for type-safe configuration:
use ;
// Use predefined constants
let conn = connect.await?;
let conn = connect.await?;
// Or use the Heartbeat struct for custom intervals
let hb = new; // send every 5s, expect every 10s
let conn = connect.await?;
// Create from Duration for symmetric intervals
use Duration;
let hb = from_duration;
The library handles the negotiation (taking the maximum of client and server preferences), sends heartbeats when the connection is idle, and closes the connection if the server stops responding.
Subscription Management
Subscribe to destinations with automatic resubscription on reconnect:
use AckMode;
// Auto-acknowledge (server considers delivered immediately)
let sub = conn.subscribe.await?;
// Client-acknowledge (cumulative)
let sub = conn.subscribe.await?;
// Client-individual (per-message acknowledgement)
let sub = conn.subscribe.await?;
For broker-specific headers (durable subscriptions, selectors, etc.):
use SubscriptionOptions;
use AckMode;
let options = SubscriptionOptions ;
let sub = conn.subscribe_with_options.await?;
Cloneable Connection
The Connection is cloneable and thread-safe. Multiple tasks can share the
same connection:
let conn = connect.await?;
let conn2 = conn.clone;
spawn;
Custom CONNECT Headers
Use ConnectOptions to customize the STOMP CONNECT frame for broker-specific
requirements like durable subscriptions or virtual hosts:
use ;
let options = new
.client_id // Required for ActiveMQ durable subscriptions
.host // Virtual host (RabbitMQ)
.accept_version // Version negotiation
.header; // Broker-specific headers
let conn = connect_with_options.await?;
Receipt Confirmation
Request delivery confirmation from the broker using RECEIPT frames:
use ;
use Duration;
let msg = new
.header
.receipt // Request receipt with this ID
.set_body;
// Send and wait for confirmation (with timeout)
conn.send_frame_confirmed.await?;
// Or handle receipts manually
let msg = new
.header
.receipt
.set_body;
conn.send_frame_with_receipt.await?;
conn.wait_for_receipt.await?;
Connection Error Handling
Connection failures (invalid credentials, server unreachable) are reported immediately:
use Connection;
use ConnError;
match connect.await
Server Error Handling
Errors received after connection are surfaced as ReceivedFrame::Error:
use ;
while let Some = conn.next_frame.await
Reconnection Backoff
When a connection drops, the library automatically reconnects with exponential backoff and resubscribes to all active subscriptions. The backoff behavior is stability-aware: it distinguishes between a long-lived connection that dropped (transient failure) and a connection that dies immediately after connecting (persistent failure).
Stability-aware backoff:
- If the connection was alive for at least
max(current_backoff, 5)seconds, it is considered stable. On disconnect, backoff resets to 1 second for a fast reconnect. - If the connection dies quickly after establishing (e.g., the broker closes the connection during resubscription), backoff doubles on each attempt up to a 30 second cap: 1s → 2s → 4s → 8s → 16s → 30s.
- Authentication failures during reconnection continue exponential backoff without checking connection stability (they do not trigger a backoff reset).
| Scenario | Behavior |
|---|---|
| Stable connection drops after minutes | Reconnect in 1s (backoff resets) |
| Broker rejects subscriptions and closes connection | 1s, 2s, 4s, 8s, 16s, 30s cap |
| Authentication failure on reconnect | Exponential backoff (no stability-based reset) |
| Broker unreachable | Exponential backoff up to 30s |
Broker-Specific Notes
Artemis: When Artemis rejects a SUBSCRIBE due to permissions, it sends a
STOMP ERROR frame but does not close the TCP connection. This violates the
STOMP 1.2 specification,
which states: "The server MAY send ERROR frames if something goes wrong. In this
case, it MUST then close the connection just after sending the ERROR frame."
Because Artemis keeps the connection open, the reconnect backoff path is never
triggered — errors are delivered inline on the existing connection, potentially
causing a rapid error loop if your application automatically retries
subscriptions. The library surfaces these errors via ReceivedFrame::Error for
application-level handling; you may need to implement your own rate limiting or
circuit breaker for Artemis deployments.
RabbitMQ: Follows the STOMP spec correctly — ERROR frames are followed by connection close, which triggers the reconnect backoff as expected.
CLI
An interactive CLI is included for testing and ad-hoc messaging. Install with
the cli feature:
Or run from source:
CLI Usage
# Connect and subscribe to a queue
# Connect with custom credentials
# Subscribe to multiple queues
# Enable TUI mode for live monitoring
TUI Mode
The --tui flag enables a full terminal interface with:
- Activity panel - Live subscription counts with color coding
- Message panel - Scrollable message history with timestamps
- Heartbeat indicator - Animated pulse showing connection health
- Command history - Up/down arrows to navigate previous commands
- Header toggle - Press
Ctrl+Hto show/hide message headers
Plain Mode
Without --tui, the CLI runs in plain mode with simple scrolling output:
> send /queue/test Hello, World!
Sent to /queue/test
> sub /queue/other
Subscribed to: /queue/other
> help
Commands:
send <destination> <message> - Send a message
sub <destination> - Subscribe to a destination
quit - Exit
> quit
Disconnecting...
Running the Examples
Start a local STOMP broker (RabbitMQ with STOMP plugin):
Run the quickstart example:
Subscribe to multiple queues and print incoming messages (see also docs/subscriber-guide.md):
Stop the broker:
Testing
The library includes comprehensive tests:
# Run all tests
# Run specific test suites
Integration Tests in CI
The CI workflow includes a smoke integration test that verifies the library works against a real RabbitMQ broker with STOMP enabled. This test ensures end-to-end functionality beyond unit tests.
How it works:
-
Broker Setup: CI builds a Docker image with RabbitMQ 3.11 and the STOMP plugin pre-enabled (see
.github/docker/rabbitmq-stomp/Dockerfile) -
Readiness Checks: Before running tests, CI performs multi-stage readiness verification:
- Waits for RabbitMQ management API to respond (indicates broker is starting)
- Verifies STOMP plugin is fully enabled via the management API
- Confirms STOMP port 61613 accepts TCP connections
This ensures the broker is truly ready, preventing flaky test failures from timing issues.
-
Smoke Test: Runs
tests/stomp_smoke.rswhich:- Attempts a STOMP CONNECT with retry logic (5 attempts with backoff)
- Verifies the broker responds with CONNECTED frame
- Reports detailed connection diagnostics on failure
-
Debugging: If tests fail, CI automatically dumps RabbitMQ logs for troubleshooting
Running integration tests locally:
Use the provided helper script which mimics the CI workflow:
Or manually with docker swarm:
# Start RabbitMQ with STOMP
# Wait for it to be ready (management UI at http://localhost:15672)
# Then run the smoke test
RUN_STOMP_SMOKE=1
# Cleanup
The smoke test is skipped by default unless RUN_STOMP_SMOKE=1 is set, since it requires an external broker.
License
This project is licensed under the MIT License. See LICENSE for details.