Publisher confirms in RabbitMQ - Time & Space Complexity
When sending messages with RabbitMQ, publisher confirms help us know if messages reached the broker safely.
We want to understand how the time to confirm messages grows as we send more messages.
Analyze the time complexity of the following RabbitMQ publisher confirm code.
channel.confirm_delivery()
for message in messages:
channel.basic_publish(exchange, routing_key, message)
channel.wait_for_confirms_or_die()
This code sends multiple messages and waits for all confirmations from the broker.
Look for repeated actions that affect time.
- Primary operation: Sending each message with
basic_publishinside a loop. - How many times: Once per message, so as many times as messages sent.
- Confirmation wait:
wait_for_confirms_or_diewaits for all messages at once after sending.
As the number of messages grows, the time to send and confirm grows roughly in direct proportion.
| Input Size (n) | Approx. Operations |
|---|---|
| 10 | About 10 sends + 1 confirm wait |
| 100 | About 100 sends + 1 confirm wait |
| 1000 | About 1000 sends + 1 confirm wait |
Pattern observation: Time grows linearly as messages increase because each message is sent once and confirmed once.
Time Complexity: O(n)
This means the total time grows roughly in direct proportion to the number of messages sent.
[X] Wrong: "Waiting for confirms only takes constant time regardless of message count."
[OK] Correct: The broker must confirm each message, so waiting time grows with the number of messages sent.
Understanding how publisher confirms scale helps you design reliable messaging systems that handle load gracefully.
What if we confirmed each message immediately after sending it instead of waiting for all at once? How would the time complexity change?