A fully-featured MQTT 5.0 client library for Kotlin Multiplatform — connecting JVM, Android, iOS, macOS, Linux, Windows, and browsers through a single, idiomatic Kotlin API.
The bundled Compose Multiplatform sample app, live on tls://mqtt.meshtastic.org:8883.
- 📦 Full MQTT 5.0 — all 15 packet types, properties, reason codes, and enhanced auth
- 🔄 All QoS levels — QoS 0, 1, and 2 with complete state machine handling
- 🌍 True multiplatform — one codebase, 9 targets (see Platform Support)
- 🔒 TLS/SSL — secure connections on all native/JVM targets
- 🌐 WebSocket — binary WebSocket transport on all platforms (behind LBs, CDNs, firewalls)
- ⚡ Coroutines-first —
suspendfunctions andFlow-based message delivery - 🪶 Minimal dependencies — only Ktor (transport) + kotlinx-coroutines + kotlinx-io
- 🛡️ Immutable by design —
ByteStringpayloads, validated inputs, data class models - 📝 Configurable logging — zero-overhead
MqttLoggerinterface with level filtering - ✅ Spec-validated — topic filter wildcards, reserved bits, and packet structure per MQTT 5.0
| MQTTastic | Typical alternatives | |
|---|---|---|
| Pure KMP | Single codebase, single API across all platforms | Wrappers around platform SDKs (Paho, Mosquitto) |
| MQTT 5.0 first | Built from the ground up for 5.0 — not retrofitted from 3.1.1 | Bolt-on 5.0 support with incomplete property coverage |
| Coroutines-native | suspend functions and Flow everywhere — no callbacks, no blocking |
Callback-heavy APIs requiring manual coroutine bridging |
| Zero platform deps | Only Ktor + kotlinx-coroutines + kotlinx-io | Bundles native C libraries or platform-specific SDKs |
| Immutable & validated | ByteString payloads, validated topic filters, range-checked properties |
Mutable byte arrays, silent truncation, unchecked inputs |
| Platform | Target | Transport | Status |
|---|---|---|---|
| JVM | jvm |
TCP/TLS, WebSocket | ✅ |
| Android | android |
TCP/TLS, WebSocket | ✅ |
| iOS | iosArm64, iosSimulatorArm64 |
TCP/TLS, WebSocket | ✅ |
| macOS | macosArm64 |
TCP/TLS, WebSocket | ✅ |
| Linux | linuxX64, linuxArm64 |
TCP/TLS, WebSocket | ✅ |
| Windows | mingwX64 |
TCP/TLS, WebSocket | ✅ |
| Browser | wasmJs |
WebSocket | ✅ |
All protocol logic — packet encoding/decoding, the client state machine, QoS flows, and property handling — lives in commonMain as pure Kotlin. Platform source sets contain only transport implementations: TCP/TLS sockets for native/JVM targets and WebSocket frames for the browser. This means every bug fix, feature, and optimization applies to all 9 targets simultaneously.
┌─────────────────────────────────────────────┐
│ MqttClient (commonMain) │ ← public API: suspend + Flow
│ MqttConnection / QoS state machines │ ← protocol logic, keepalive
│ MqttPacket / Encoder / Decoder │ ← MQTT 5.0 wire format
├──────────────────────┬──────────────────────┤
│ TcpTransport │ WebSocketTransport │
│ (nonWebMain) │ (nonWebMain + │
│ ktor-network + TLS │ wasmJsMain) │
│ │ ktor-client-ws │
└──────────────────────┴──────────────────────┘
The MqttTransport interface is the sole platform abstraction boundary — it is internal, not part of the public API. Coroutines drive everything: suspend functions for operations, SharedFlow<MqttMessage> for incoming messages, and StateFlow<ConnectionState> for lifecycle observation.
Add the dependency to your build.gradle.kts:
// settings.gradle.kts
repositories {
mavenCentral()
}
// build.gradle.kts
kotlin {
sourceSets {
commonMain.dependencies {
implementation("org.meshtastic:mqtt-client:0.2.0")
}
}
}Groovy DSL
// settings.gradle
repositories {
mavenCentral()
}
// build.gradle
kotlin {
sourceSets {
commonMain {
dependencies {
implementation 'org.meshtastic:mqtt-client:0.2.0'
}
}
}
}Single-platform (JVM / Android only)
dependencies {
implementation("org.meshtastic:mqtt-client:0.2.0")
}import org.meshtastic.mqtt.*
// Create a client with the factory DSL
val client = MqttClient("my-client") {
keepAliveSeconds = 30
autoReconnect = true
defaultQos = QoS.AT_LEAST_ONCE // all publishes default to QoS 1
}
// Connect, work, and auto-close
client.use(MqttEndpoint.parse("tcp://broker.example.com:1883")) { c ->
// Subscribe
c.subscribe("sensors/temperature")
// Publish (uses defaultQos from config)
c.publish("sensors/temperature", "22.5")
// Collect messages
c.messagesForTopic("sensors/temperature").collect { msg ->
println("Received: ${msg.payloadAsString()}")
}
}Verbose equivalent (without convenience APIs)
val config = MqttConfig(clientId = "my-client", keepAliveSeconds = 30, autoReconnect = true)
val client = MqttClient(config)
client.connect(MqttEndpoint.Tcp(host = "broker.example.com", port = 1883))
client.subscribe("sensors/temperature", QoS.AT_LEAST_ONCE)
client.publish(
MqttMessage(
topic = "sensors/temperature",
payload = ByteString("22.5".encodeToByteArray()),
qos = QoS.AT_LEAST_ONCE,
),
)
client.messages.collect { msg ->
if (msg.topic == "sensors/temperature") {
println("Received: ${msg.payload.toByteArray().decodeToString()}")
}
}
client.close()The library ships several ergonomic extensions to reduce boilerplate:
| API | What it replaces |
|---|---|
MqttClient("id") { ... } |
MqttClient(MqttConfig(clientId = "id", ...)) |
MqttEndpoint.parse("tcp://host:1883") |
MqttEndpoint.Tcp(host, port, tls) |
client.use(endpoint) { ... } |
Manual connect + try/finally { close() } |
msg.payloadAsString() |
msg.payload.toByteArray().decodeToString() |
client.messagesForTopic("x") |
client.messages.filter { it.topic == "x" } |
client.messagesMatching("x/+/y") |
Manual wildcard matching on messages flow |
client.publish(topic, payload) |
Constructing MqttMessage manually |
defaultQos / defaultRetain |
Repeating qos = QoS.AT_LEAST_ONCE on every publish |
will { topic = ...; payload("...") } |
will = WillConfig(topic = ..., payload = ByteString(...)) |
Parse broker URIs instead of constructing endpoints manually:
MqttEndpoint.parse("tcp://broker:1883") // Plain TCP
MqttEndpoint.parse("ssl://broker:8883") // TCP + TLS
MqttEndpoint.parse("mqtts://broker") // TLS, default port 8883
MqttEndpoint.parse("wss://broker/mqtt") // Secure WebSocket// Exact topic match
client.messagesForTopic("sensors/temperature").collect { ... }
// Wildcard filter (supports + and #)
client.messagesMatching("sensors/+/temperature").collect { ... }Use the builder DSL for complex configurations (annotated with @MqttDsl for scope safety, like Ktor's @KtorDsl):
val config = MqttConfig.build {
clientId = "sensor-hub-01"
keepAliveSeconds = 30
cleanStart = false
autoReconnect = true
defaultQos = QoS.AT_LEAST_ONCE
logger = MqttLogger.println()
logLevel = MqttLogLevel.DEBUG
will {
topic = "sensors/status"
payload("offline")
qos = QoS.AT_LEAST_ONCE
retain = true
}
}The library provides a zero-overhead logging interface. When no logger is configured (the default), message lambdas are never evaluated:
// Built-in println logger for quick debugging
val config = MqttConfig(
clientId = "debug-client",
logger = MqttLogger.println(),
logLevel = MqttLogLevel.DEBUG,
)
// Custom logger (e.g., forwarding to your app's logging framework)
val config = MqttConfig(
clientId = "production-client",
logger = object : MqttLogger {
override fun log(level: MqttLogLevel, tag: String, message: String, throwable: Throwable?) {
myAppLogger.log(level.name, "[$tag] $message", throwable)
}
},
logLevel = MqttLogLevel.INFO,
)Log levels from most to least verbose: TRACE → DEBUG → INFO → WARN → ERROR → NONE.
The library is designed as a drop-in MQTT client for KMP projects. Consumer ProGuard/R8 rules are bundled automatically.
class MqttViewModel : ViewModel() {
private val client = MqttClient("my-device") {
autoReconnect = true
keepAliveSeconds = 30
}
val connectionState = client.connectionState
fun connect(broker: String) {
viewModelScope.launch {
client.connect(MqttEndpoint.parse(broker))
client.subscribe("msh/2/e/#", QoS.AT_LEAST_ONCE)
}
}
fun observeMessages() = client.messagesMatching("msh/2/e/+/!/#")
override fun onCleared() {
viewModelScope.launch { client.close() }
}
}@Composable
fun MqttScreen(viewModel: MqttViewModel) {
val state by viewModel.connectionState.collectAsStateWithLifecycle()
LaunchedEffect(Unit) {
viewModel.observeMessages().collect { msg ->
// Process message
}
}
}The library uses Ktor 3.4.2 and kotlinx-coroutines 1.10.2. If your project uses the same versions, no conflicts will arise. Pin versions in your libs.versions.toml to avoid Gradle resolution surprises.
| Feature | Status | Spec Section |
|---|---|---|
| All 15 packet types | ✅ | §2.1 |
| Variable Byte Integer encoding | ✅ | §1.5.5 |
| UTF-8 string pairs | ✅ | §1.5.7 |
| Feature | Status | Spec Section |
|---|---|---|
| QoS 0 (at most once) | ✅ | §4.3.1 |
| QoS 1 (at least once) | ✅ | §4.3.2 |
| QoS 2 (exactly once) | ✅ | §4.3.3 |
| Duplicate detection (DUP flag) | ✅ | §3.3.1.1 |
| Feature | Status | Spec Section |
|---|---|---|
| Session management (cleanStart) | ✅ | §3.1.2.4 |
| Will messages & Will Delay | ✅ | §3.1.3.2 |
| Keep-alive & PINGREQ/PINGRESP | ✅ | §3.1.2.10 |
| Automatic reconnection | ✅ | — |
| Server redirect | ✅ | §4.13 |
| Feature | Status | Spec Section |
|---|---|---|
| Topic aliases | ✅ | §3.3.2.3.4 |
| Enhanced authentication (AUTH) | ✅ | §4.12 |
| Flow control (Receive Maximum) | ✅ | §3.3.4 |
| Request/Response pattern | ✅ | §4.10 |
| Shared subscriptions | ✅ | §4.8.2 |
| Subscription identifiers | ✅ | §3.8.3.1 |
| Topic filter validation | ✅ | §4.7 |
| Feature | Status | Spec Section |
|---|---|---|
| Configurable logging (6 levels) | ✅ | — |
| Connection state observation | ✅ | — |
| Limitation | Detail |
|---|---|
| Enhanced auth during CONNECT | Auth challenges are delivered only after the connection is established. SASL-style challenge/response during the CONNECT handshake (§4.12.1) is not yet supported. |
| Client-side session persistence | When cleanStart=false, the broker resumes session state, but the client does not persist in-flight QoS 1/2 messages across reconnects. Unacknowledged messages may be lost. |
See CONTRIBUTING.md for build setup, development workflow, and the full command reference.
| Resource | Link |
|---|---|
| API Reference | meshtastic.github.io/MQTTastic-Client-KMP |
| Configuration Guide | docs/configuration.md |
| Topics & QoS Guide | docs/topics-and-qos.md |
| MQTT 5.0 Specification | OASIS MQTT v5.0 |
| Changelog | CHANGELOG.md |
Contributions are welcome! Please read CONTRIBUTING.md for guidelines on:
- Setting up your development environment
- Code style and conventions
- Submitting pull requests
For vulnerability reports, see the Security Policy. All participants are expected to follow the Code of Conduct.
This project is licensed under the GNU General Public License v3.0, consistent with all repositories in the Meshtastic organization.