rust-rabbit 1.2.0

A simple, reliable RabbitMQ client library for Rust. Easy to use with flexible retry mechanisms and minimal configuration.
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
# rust-rabbit 🐰

[![Rust](https://github.com/nghiaphamln/rust-rabbit/workflows/CI/badge.svg)](https://github.com/nghiaphamln/rust-rabbit/actions)
[![Crates.io](https://img.shields.io/crates/v/rust-rabbit.svg)](https://crates.io/crates/rust-rabbit)
[![Documentation](https://docs.rs/rust-rabbit/badge.svg)](https://docs.rs/rust-rabbit)
[![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg)](https://opensource.org/licenses/MIT)

A **simple, reliable** RabbitMQ client library for Rust. Easy to use with minimal configuration and flexible retry mechanisms.

## πŸš€ **Key Features**

- **Simple API**: Just `Publisher` and `Consumer` with essential methods
- **Flexible Retry**: Exponential, linear, or custom retry mechanisms  
- **Auto-Setup**: Automatic queue/exchange declaration and binding
- **Built-in Reliability**: Default ACK behavior with intelligent error handling
- **Zero Complexity**: No enterprise patterns, no metrics - just core messaging

## πŸ“¦ **Quick Start**

Add to your `Cargo.toml`:

```toml
[dependencies]
rust-rabbit = "1.2"
tokio = { version = "1.0", features = ["full"] }
serde = { version = "1.0", features = ["derive"] }
```

## 🎯 **Basic Usage**

### Publisher - Send Messages

```rust
use rust_rabbit::{Connection, Publisher, PublishOptions};
use serde::Serialize;

#[derive(Serialize)]
struct Order {
    id: u32,
    amount: f64,
}

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    // Connect to RabbitMQ
    let connection = Connection::new("amqp://localhost:5672").await?;
    let publisher = Publisher::new(connection);
    
    let order = Order { id: 123, amount: 99.99 };
    
    // Publish to exchange (with routing)
    publisher.publish_to_exchange("orders", "new.order", &order, None).await?;
    
    // Publish directly to queue (simple)
    publisher.publish_to_queue("order_queue", &order, None).await?;
    
    Ok(())
}
```

### Consumer - Receive Messages with Retry

```rust
use rust_rabbit::{Connection, Consumer, RetryConfig};
use serde::{Deserialize, Serialize};

#[derive(Serialize, Deserialize, Clone)]
struct Order {
    id: u32,
    amount: f64,
}

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let connection = Connection::new("amqp://localhost:5672").await?;
    
    let consumer = Consumer::builder(connection, "order_queue")
        .with_retry(RetryConfig::exponential_default()) // 1s->2s->4s->8s->16s
        .bind_to_exchange("orders", "new.order")
        .with_prefetch(5)
        .build();
    
    // Handler receives just the payload type (no wrapper)
    consumer.consume(|msg: Order| async move {
        println!("Processing order {}: ${}", msg.id, msg.amount);
        
        // Your business logic here
        if msg.amount > 1000.0 {
            return Err("Amount too high".into()); // Will retry
        }
        
        Ok(()) // ACK message
    }).await?;
    
    Ok(())
}
```

## πŸ”„ **Retry Configurations**

### Built-in Retry Patterns

```rust
use rust_rabbit::RetryConfig;
use std::time::Duration;

// Exponential: 1s β†’ 2s β†’ 4s β†’ 8s β†’ 16s (5 retries)
let exponential = RetryConfig::exponential_default();

// Custom exponential: 2s β†’ 4s β†’ 8s β†’ 16s β†’ 32s (max 60s)
let custom_exp = RetryConfig::exponential(5, Duration::from_secs(2), Duration::from_secs(60));

// Linear: 10s β†’ 10s β†’ 10s (3 retries)  
let linear = RetryConfig::linear(3, Duration::from_secs(10));

// Custom delays: 1s β†’ 5s β†’ 30s
let custom = RetryConfig::custom(vec![
    Duration::from_secs(1),
    Duration::from_secs(5), 
    Duration::from_secs(30),
]);

// No retries - fail immediately
let no_retry = RetryConfig::no_retry();
```

### How Retry Works

```rust
// Failed messages are automatically:
// 1. Sent to retry queue with delay (e.g., orders.retry.1)
// 2. After delay, returned to original queue for retry
// 3. If max retries exceeded, sent to dead letter queue (e.g., orders.dlq)
```

### Delay Strategies (TTL vs DelayedExchange)

rust-rabbit supports two strategies for implementing message delays:

#### 1. **TTL Strategy (Default)** - No Plugin Required

Uses RabbitMQ's TTL feature with temporary retry queues. Simple but less precise.

```rust
use rust_rabbit::{RetryConfig, DelayStrategy, Consumer, Connection};
use std::time::Duration;

let retry_config = RetryConfig::exponential_default()
    .with_delay_strategy(DelayStrategy::TTL); // Default, no plugin needed

// Messages failed are sent to: orders.retry.1 (with TTL set)
// After TTL expires, automatically routed back to: orders
```

**Pros:**
- No external plugin required
- Works out-of-the-box with standard RabbitMQ
- Simple setup

**Cons:**
- Less precise timing (TTL granularity depends on RabbitMQ configuration)
- Creates many temporary queues (one per retry attempt)
- Requires cleanup of old retry queues

#### 2. **DelayedExchange Strategy** - Better Precision

Uses the `rabbitmq_delayed_message_exchange` plugin for server-side delay management. More reliable and cleaner architecture.

```rust
use rust_rabbit::{RetryConfig, DelayStrategy, Consumer, Connection};
use std::time::Duration;

let retry_config = RetryConfig::exponential_default()
    .with_delay_strategy(DelayStrategy::DelayedExchange);

// Messages are published to: orders.delay (delay exchange)
// With x-delay header set to desired delay time
// Exchange automatically routes back to: orders after delay
```

**Setup Requirements:**

1. Install the plugin on RabbitMQ:
   ```bash
   # Download from: https://github.com/rabbitmq/rabbitmq-delayed-message-exchange
   # Place .ez file in RabbitMQ plugins directory
   
   # Enable plugin
   rabbitmq-plugins enable rabbitmq_delayed_message_exchange
   
   # Restart RabbitMQ
   sudo systemctl restart rabbitmq-server
   ```

2. Use in code:
   ```rust
   let retry_config = RetryConfig::linear(3, Duration::from_secs(5))
       .with_delay_strategy(DelayStrategy::DelayedExchange);
   
   let consumer = Consumer::builder(connection, "orders")
       .with_retry(retry_config)
       .build();
   ```

**⚠️ Important: Plugin is Required**

If you use `DelayStrategy::DelayedExchange` without installing the plugin on RabbitMQ:
- Your application will crash when trying to send messages to the delay exchange
- The delay exchange declaration will fail
- You'll get an error like: `NOT_FOUND - operation not permitted on this exchange`

**Always ensure the `rabbitmq_delayed_message_exchange` plugin is installed and enabled before deploying code that uses `DelayStrategy::DelayedExchange`.**

**Pros:**
- More precise timing (microsecond-level)
- Cleaner architecture (single delay exchange)
- Better for high-volume scenarios
- Lower memory footprint on RabbitMQ
- Built-in reliability

**Cons:**
- Requires external plugin installation
- Plugin adds complexity to RabbitMQ setup
- Small performance overhead for delay management

**Flow Diagram:**

```
DelayedExchange Strategy Flow:
β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”
β”‚  Queue   β”‚  (e.g., "orders")
β””β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”˜
     β”‚
     β”œβ”€> Handler fails ──┐
     β”‚                   β”‚
     β”‚              Publish to
     β”‚              Delay Exchange
     β”‚                   β”‚
     └─────────── β”Œβ”€β”€β”€β”€β”€β”€β–Όβ”€β”€β”€β”€β”€β”€β”
                  β”‚ orders.delay β”‚ (x-delay: 5000ms)
                  β””β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”˜
                         β”‚
                    After delay
                         β”‚
                  β”Œβ”€β”€β”€β”€β”€β”€β–Όβ”€β”€β”€β”€β”€β”€β”
                  β”‚  Queue      β”‚
                  β”‚  (orders)   β”‚
                  β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜
```

**Example:**

See [delayed_exchange_example.rs](examples/delayed_exchange_example.rs) for a complete working example.

## πŸ—‘οΈ **Dead Letter Queue (DLQ) with Auto-Cleanup**

For failed messages that exceed max retries, rust-rabbit automatically sends them to a Dead Letter Queue (DLQ). Now you can set automatic cleanup with TTL:

```rust
let retry_config = RetryConfig::exponential_default()
    .with_dlq_ttl(Duration::from_secs(86400));  // Auto-cleanup after 1 day

let consumer = Consumer::builder(connection, "orders")
    .with_retry(retry_config)
    .build();
```

**Flow:**
```
Original Queue (orders)
    ↓
Retries exhausted
    ↓
Message β†’ DLQ (orders.dlq) [TTL: 86400s]
    ↓
After 1 day: Message auto-deleted by RabbitMQ
    ↓
βœ“ No manual cleanup needed!
```

**Configuration Options:**

```rust
use std::time::Duration;

// 1 hour (fresh failed messages)
.with_dlq_ttl(Duration::from_secs(3600))

// 1 day (default retention)
.with_dlq_ttl(Duration::from_secs(86400))

// 1 week (long retention for analysis)
.with_dlq_ttl(Duration::from_secs(604800))

// No TTL (manual cleanup only - default)
// Don't call .with_dlq_ttl()
```

**Monitoring DLQ:**
1. Open RabbitMQ Management: http://localhost:15672
2. Go to "Queues" tab
3. Find "orders.dlq" queue
4. Check "x-message-ttl" in queue details
5. Monitor "Message count" to see failed messages

See [dlq_ttl_example.rs](examples/dlq_ttl_example.rs) for complete example.

## πŸ”— **MassTransit Integration** (v1.2.0)

rust-rabbit seamlessly integrates with C# services using [MassTransit](https://github.com/MassTransit/MassTransit). You can both **consume** and **publish** MassTransit-compatible messages.

### Publishing to MassTransit Services

**New in v1.2.0**: Publish messages that MassTransit will accept and route correctly. Use the `with_masstransit()` option:

```rust
use rust_rabbit::{Connection, Publisher, PublishOptions};
use serde::Serialize;

#[derive(Serialize)]
struct OrderCreated {
    order_id: u32,
    amount: f64,
}

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let connection = Connection::new("amqp://localhost:5672").await?;
    let publisher = Publisher::new(connection);
    
    let order = OrderCreated { order_id: 123, amount: 99.99 };
    
    // Simple: Just enable MassTransit with message type
    publisher.publish_to_exchange(
        "order-exchange",
        "order.created",
        &order,
        Some(PublishOptions::new().with_masstransit("Contracts:OrderCreated"))
    ).await?;
    
    // Advanced: Full MassTransit options
    use rust_rabbit::MassTransitOptions;
    let mt_options = MassTransitOptions::new("Contracts:OrderCreated")
        .with_correlation_id("correlation-12345");
    
    publisher.publish_to_queue(
        "order-queue",
        &order,
        Some(PublishOptions::new().with_masstransit_options(mt_options))
    ).await?;
    
    Ok(())
}
```

**Key Features:**
- βœ… **Message Type Format**: Accepts `"Namespace:TypeName"` or `"urn:message:Namespace:TypeName"` (auto-converts to URN)
- βœ… **Full Compatibility**: Sets `messageType` array in envelope body and `MT-Host-MessageType` header
- βœ… **Validation**: Messages pass MassTransit's strict validation (won't go to skip queue)
- βœ… **Backward Compatible**: Existing code works without changes (MassTransit is optional)

See [masstransit_option_example.rs](examples/masstransit_option_example.rs) for complete examples.

### Consuming MassTransit Messages

When a C# service publishes messages via MassTransit's `IBus`, rust-rabbit automatically:
- Detects MassTransit's camelCase JSON envelope format
- Extracts the actual message payload from the `message` field
- Preserves `correlationId` for tracking operations
- Maintains all existing retry logic

```rust
use rust_rabbit::{Connection, Consumer, RetryConfig};
use serde::{Deserialize, Serialize};

#[derive(Serialize, Deserialize, Clone)]
struct OrderMessage {
    order_id: u32,
    customer_name: String,
    amount: f64,
}

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let connection = Connection::new("amqp://localhost:5672").await?;
    
    let consumer = Consumer::builder(connection, "order_queue")
        .with_retry(RetryConfig::exponential_default())
        .build();
    
    // Handler receives just the payload (no wrapper)
    consumer.consume(|msg: OrderMessage| async move {
        println!("Order ID: {}", msg.order_id);
        // Your business logic here
        Ok(())
    }).await?;
    
    Ok(())
}
```

### How It Works

**Publishing:**
1. When `with_masstransit()` is used, your message is wrapped in MassTransit's envelope format
2. Message type is set as an array of URNs: `["urn:message:Namespace:TypeName"]`
3. All required fields are auto-populated (messageId, sentTime, sourceAddress, etc.)
4. MassTransit services will accept and route the message correctly

**Consuming:**
1. **Automatic Format Detection**: The consumer tries to deserialize as MassTransit format first, then falls back to rust-rabbit format
2. **Message Extraction**: MassTransit's `message` field is automatically extracted to your Rust type
3. **Correlation Tracking**: The `correlationId` from MassTransit is preserved for retries
4. **Retry Compatibility**: Failed messages are retried using rust-rabbit's format (simpler, maintains retry tracking)

### MassTransit Message Format

MassTransit wraps messages in this structure (camelCase JSON):
```json
{
  "messageId": "guid",
  "correlationId": "guid",
  "sourceAddress": "rabbitmq://...",
  "destinationAddress": "rabbitmq://...",
  "messageType": ["urn:message:Contracts:OrderCreated"],
  "sentTime": "2024-01-01T12:00:00Z",
  "message": {
    // Your actual message payload here
    "orderId": 123,
    "amount": 99.99
  }
}
```

rust-rabbit automatically handles both publishing and consuming this format seamlessly.

See examples:
- [MassTransit Option Example]examples/masstransit_option_example.rs - Publishing with MassTransit option
- [MassTransit Publisher Example]examples/masstransit_publisher_example.rs - Using dedicated MassTransit methods

## βš™οΈ **Advanced Features**

### MessageEnvelope System

For advanced retry tracking and error handling, use the MessageEnvelope system:

```rust
use rust_rabbit::{Connection, Publisher, Consumer, MessageEnvelope, RetryConfig};
use serde::{Serialize, Deserialize};

#[derive(Serialize, Deserialize, Clone)]
struct Order {
    id: u32,
    amount: f64,
}

#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
    let connection = Connection::new("amqp://localhost:5672").await?;
    
    // Publisher with envelope
    let publisher = Publisher::new(connection.clone());
    let order = Order { id: 123, amount: 99.99 };
    let envelope = MessageEnvelope::new(order, "order_queue")
        .with_max_retries(3);
    
    publisher.publish_envelope_to_queue("order_queue", &envelope, None).await?;
    
    // Consumer with envelope processing
    let consumer = Consumer::builder(connection, "order_queue")
        .with_retry(RetryConfig::exponential_default())
        .build();
    
    consumer.consume_envelopes(|envelope: MessageEnvelope<Order>| async move {
        println!("Processing order {} (attempt {})", 
                 envelope.payload.id, 
                 envelope.metadata.retry_attempt + 1);
        
        // Access retry metadata
        if !envelope.is_first_attempt() {
            println!("This is a retry. Last error: {:?}", envelope.last_error());
        }
        
        Ok(())
    }).await?;
    
    Ok(())
}
```

### Connection Options

```rust
use rust_rabbit::Connection;

// Simple connection
let connection = Connection::new("amqp://guest:guest@localhost:5672").await?;

// Different connection URLs
let local = Connection::new("amqp://localhost:5672").await?;
let remote = Connection::new("amqp://user:pass@remote-host:5672/vhost").await?;
let secure = Connection::new("amqps://user:pass@secure-host:5671").await?;
```

### Publisher Options

```rust
use rust_rabbit::PublishOptions;

let options = PublishOptions::new()
    .mandatory()                         // Make delivery mandatory
    .priority(5);                        // Message priority (0-255)

publisher.publish_to_queue("orders", &message, Some(options)).await?;
```

### Consumer Options

```rust
let consumer = Consumer::builder(connection, "order_queue")
    .with_retry(RetryConfig::exponential_default())
    .bind_to_exchange("order_exchange", "new.order")  // Exchange binding with routing key
    .with_prefetch(10)                     // Process 10 messages in parallel
    .build();
```

## πŸ“š **Documentation**

For detailed guides and advanced topics:

- **[Retry Configuration Guide]docs/retry-guide.md** - Detailed retry patterns and configuration
- **[Exchange & Queue Management]docs/queues-exchanges.md** - Queue binding, exchange types, and best practices  
- **[Error Handling]docs/error-handling.md** - Error types and handling strategies
- **[Best Practices]docs/best-practices.md** - Production tips and patterns

## πŸ› οΈ **Examples**

See the [`examples/`](examples/) directory for complete working examples:

- **[Basic Publisher]examples/basic_publisher.rs** - Simple message publishing
- **[Basic Consumer]examples/basic_consumer.rs** - Simple message consumption  
- **[MassTransit Option Example]examples/masstransit_option_example.rs** - Publishing with MassTransit option
- **[MassTransit Publisher Example]examples/masstransit_publisher_example.rs** - Using dedicated MassTransit methods
- **[Retry Examples]examples/retry_examples.rs** - Different retry configurations
- **[Delayed Exchange Example]examples/delayed_exchange_example.rs** - Using rabbitmq_delayed_message_exchange plugin
- **[DLQ TTL Example]examples/dlq_ttl_example.rs** - Auto-cleanup Dead Letter Queue with TTL
- **[Production Setup]examples/production_setup.rs** - Production-ready configuration

## πŸ§ͺ **Testing**

Run the tests:

```bash
cargo test
```

For integration tests with real RabbitMQ:

```bash
# Start RabbitMQ with Docker
docker run -d --name rabbitmq -p 5672:5672 -p 15672:15672 rabbitmq:3-management

# Run integration tests
cargo test --test integration
```

## πŸ”§ **Requirements**

- **Rust**: 1.70+
- **RabbitMQ**: 3.8+
- **Tokio**: Async runtime

## 🚦 **Migration from v0.x**

If you're upgrading from the complex v0.x version:

```rust
// OLD (v0.x) - Complex
let consumer = Consumer::new(connection_manager, ConsumerOptions {
    auto_ack: false,
    retry_policy: Some(RetryPolicy::fast()),
    prefetch_count: Some(10),
    // ... many more options
}).await?;

// NEW (v1.0) - Simple  
let consumer = Consumer::builder(connection, "queue")
    .with_retry(RetryConfig::exponential_default())
    .with_prefetch(10)
    .build();
```

**Major Changes:**
- βœ… Simplified API with just `Publisher` and `Consumer`
- βœ… Removed enterprise patterns (saga, event sourcing, request-response)
- βœ… Removed metrics and health monitoring 
- βœ… Unified retry system with flexible mechanisms
- βœ… Auto-declare queues and exchanges by default

## 🎯 **Design Philosophy**

rust-rabbit v1.0 follows these principles:

1. **Simplicity First**: Only essential features, no bloat
2. **Reliability Built-in**: Automatic retry and error handling  
3. **Easy Configuration**: Sensible defaults, minimal setup
4. **Production Ready**: Persistent messages, proper ACK handling
5. **Developer Friendly**: Clear errors, good documentation

## πŸ—ΊοΈ **Roadmap**

See [ROADMAP.md](ROADMAP.md) for planned features:

- Connection pooling and load balancing
- Monitoring and metrics integration
- Advanced retry patterns and policies
- Performance optimizations
- Additional messaging patterns

## πŸ“„ **License**

MIT License - see [LICENSE](LICENSE) for details.

## 🀝 **Contributing**

Contributions welcome! Please read our [contributing guide](CONTRIBUTING.md) and submit pull requests.

## πŸ’¬ **Support**

- **Issues**: [GitHub Issues]https://github.com/nghiaphamln/rust-rabbit/issues
- **Discussions**: [GitHub Discussions]https://github.com/nghiaphamln/rust-rabbit/discussions
- **Documentation**: [docs.rs]https://docs.rs/rust-rabbit

---

Made with ❀️ by the rust-rabbit team