bevy_mqtt

Crates.iobevy_mqtt
lib.rsbevy_mqtt
version0.7.1
created_at2024-03-27 08:57:32.203028+00
updated_at2025-06-17 09:57:15.139616+00
descriptionA robust, secure MQTT client plugin for Bevy game engine with comprehensive error handling and performance optimizations
homepagehttps://github.com/foxzool/bevy_mqtt
repositoryhttps://github.com/foxzool/bevy_mqtt
max_upload_size
id1187644
size130,210
ZoOL (foxzool)

documentation

https://docs.rs/bevy_mqtt

README

bevy_mqtt

crates.io MIT/Apache 2.0 crates.io CI Documentation

A robust, secure MQTT client plugin for the Bevy game engine with comprehensive error handling and performance optimizations.

Features

  • 🔌 Easy Integration - Simple plugin architecture that fits naturally into Bevy's ECS
  • 🔒 Security First - Regex injection protection and robust error handling
  • High Performance - Optimized message dispatch with memory reuse patterns
  • 🌐 Multiple Transports - Support for TCP and WebSocket connections
  • 📦 Message Caching - Built-in packet caching with configurable capacity limits
  • 🎯 Topic Matching - MQTT wildcard support with secure regex pattern matching
  • 🔄 Auto Reconnection - Automatic reconnection handling on connection failures
  • 📊 Event-Driven - Full integration with Bevy's event system

Quick Start

First, run an MQTT broker like Mosquitto:

# Using Docker
docker run -it -p 1883:1883 -p 9001:9001 eclipse-mosquitto:2

# Or using docker-compose (see docker-compose.yml in this repo)
docker-compose up

Then add bevy_mqtt to your Cargo.toml:

[dependencies]
bevy_mqtt = "0.7.1"

Basic Example

use bevy::{prelude::*, time::common_conditions::on_timer};
use bevy_mqtt::{
    MqttClient, MqttClientConnected, MqttClientError, MqttConnectError, MqttEvent,
    MqttPlugin, MqttPublishOutgoing, MqttSetting, SubscribeTopic, TopicMessage,
};
use rumqttc::{MqttOptions, QoS};
use std::time::Duration;

fn main() {
    App::new()
        .add_plugins((DefaultPlugins, MqttPlugin))
        .add_systems(Startup, setup_mqtt_client)
        .add_systems(Update, (
            subscribe_to_topics,
            handle_messages,
            handle_errors,
            publish_messages.run_if(on_timer(Duration::from_secs(5))),
        ))
        .run();
}

fn setup_mqtt_client(mut commands: Commands) {
    // TCP connection
    commands.spawn(MqttSetting {
        mqtt_options: MqttOptions::new("bevy-game-client", "localhost", 1883),
        cap: 100, // Channel capacity
    });
}

fn subscribe_to_topics(
    mut commands: Commands,
    mqtt_clients: Query<Entity, Added<MqttClientConnected>>,
) {
    for client_entity in mqtt_clients.iter() {
        // Subscribe using component-based approach with MQTT wildcards
        let topic_entity = commands
            .spawn(SubscribeTopic::new("game/+/events", QoS::AtMostOnce).unwrap())
            .observe(|trigger: Trigger<TopicMessage>| {
                println!("Game event: {}", trigger.event().topic);
            })
            .id();

        // Link topic subscription to client
        commands.entity(client_entity).add_child(topic_entity);
    }
}

fn handle_messages(mut mqtt_events: EventReader<MqttEvent>) {
    for event in mqtt_events.read() {
        if let rumqttc::Event::Incoming(rumqttc::Incoming::Publish(publish)) = &event.event {
            println!("Received on {}: {:?}", publish.topic, publish.payload);
        }
    }
}

fn handle_errors(
    mut connect_errors: EventReader<MqttConnectError>,
    mut client_errors: EventReader<MqttClientError>,
) {
    for error in connect_errors.read() {
        eprintln!("MQTT connection error: {:?}", error.error);
    }

    for error in client_errors.read() {
        eprintln!("MQTT client error: {:?}", error.error);
    }
}

// Event-driven publishing (recommended)
fn publish_messages(
    mqtt_clients: Query<Entity, With<MqttClientConnected>>,
    mut publish_events: EventWriter<MqttPublishOutgoing>,
) {
    for client_entity in mqtt_clients.iter() {
        publish_events.send(MqttPublishOutgoing {
            entity: client_entity,
            topic: "game/player/position".to_string(),
            qos: QoS::AtLeastOnce,
            retain: false,
            payload: b"x:100,y:200".to_vec(),
        });
    }
}

Advanced Features

Message Caching

use bevy_mqtt::PacketCache;

// Add message caching to topic subscriptions
commands
.spawn((
SubscribeTopic::new("game/chat", QoS::AtMostOnce).unwrap(),
PacketCache::new(50), // Keep last 50 messages
))
.observe( | trigger: Trigger<TopicMessage>| {
println ! ("Chat message: {:?}", trigger.event().payload);
});

WebSocket Support

use rumqttc::Transport;

let mut mqtt_options = MqttOptions::new("websocket-client", "ws://localhost:9001", 9001);
mqtt_options.set_transport(Transport::Ws);

commands.spawn(MqttSetting {
mqtt_options,
cap: 100,
});

Secure Topic Patterns

The library automatically escapes regex metacharacters in topic patterns while preserving MQTT wildcards:

// Safe - regex metacharacters are escaped, MQTT wildcards preserved
SubscribeTopic::new("sensor/data[temp]/+", QoS::AtMostOnce).unwrap();

// This matches: "sensor/data[temp]/kitchen" but not "sensor/dataXtemp]/kitchen"

Supported Versions

bevy bevy_mqtt
0.16 0.7.1
0.16 0.7, 0.6
0.15 0.5
0.14 0.2, 0.3, 0.4
0.13 0.1

License

Dual-licensed under either:

At your option. This means that when using this crate in your game, you may choose which license to use.

Unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in the work by you, as defined in the Apache-2.0 license, shall be dually licensed as above, without any additional terms or conditions.

Commit count: 49

cargo fmt