Lesson 4
Combining Command, Observer, and Strategy Patterns in Rust for a Chat Application
Introduction

Welcome to the final lesson on Behavioral Patterns in Rust! 🎉 In this exciting conclusion, we will bring together the powerful tools you have mastered — the Command, Observer, and Strategy patterns — to design a simple but dynamic chat application. We'll see how these patterns collaborate in Rust to enable clean, efficient, and highly responsive software design. If you've been intrigued by the flexibility and modularity conferred by design patterns, you're in for a treat. Let's harness the power of Rust for a real-world application!

Recap of Behavioral Design Patterns

Before jumping into our application development, let's revisit the key behavioral design patterns we'll leverage:

  • Command Pattern: By representing requests as objects, this pattern enables parameterization, queuing, and supports undoable operations — employing Rust's traits and structs to encapsulate actions.
  • Observer Pattern: Establishes a one-to-many dependency so that changes in an object automatically trigger updates on its dependents, using Rust's traits and smart pointers for strong adherence to the ownership model.
  • Strategy Pattern: Encapsulates a family of algorithms, allowing them to be interchangeable. In Rust, traits and generics allow clients to switch algorithms at runtime efficiently.

Rust's rich type system and safety features enhance these patterns, enabling robust and thread-safe designs that accommodate complex problems with ease.

Designing the Chat Application

Our task is to build a chat application where users can send messages to a chat room, receiving notifications in the process. Here's how each pattern will contribute:

  • Command Pattern: Commands will represent actions like sending messages.
  • Observer Pattern: Users will subscribe to the chat room to get notifications.
  • Strategy Pattern: We'll vary message processing (plain text vs. encrypted) dynamically.
Strategy Pattern: The MessageProcessor

For message processing flexibility, we implement the Strategy pattern using a MessageProcessor trait:

Rust
1// Strategy Pattern 2pub trait MessageProcessor { 3 fn process_message(&self, message: &str) -> String; 4} 5 6pub struct PlainTextProcessor; 7 8impl MessageProcessor for PlainTextProcessor { 9 fn process_message(&self, message: &str) -> String { 10 message.to_string() 11 } 12} 13 14pub struct EncryptedProcessor; 15 16impl MessageProcessor for EncryptedProcessor { 17 fn process_message(&self, message: &str) -> String { 18 // Simple encryption: reversing the message 19 message.chars().rev().collect() 20 } 21}

By creating different structs that implement the MessageProcessor trait, we can swap the message processing algorithm at runtime by simply changing the processor used. This flexibility allows the application to adapt to different requirements without changing its structure, demonstrating the Strategy pattern's ability to interchange algorithms dynamically.

Observer Pattern: The Observer Trait and the User Struct

We implement the Observer pattern by defining an Observer trait, that defines an update method that observers must implement, allowing them to receive messages from the subject they are observing. This trait is then implemented by the User struct:

Rust
1pub trait Observer { 2 fn update(&self, message: &str); 3} 4 5pub struct User { 6 pub name: String, 7} 8 9impl User { 10 pub fn new(name: &str) -> Self { 11 User { 12 name: name.to_string(), 13 } 14 } 15} 16 17impl Observer for User { 18 fn update(&self, message: &str) { 19 println!("{} received message: {}", self.name, message); 20 } 21}

Here, User implements the Observer trait by defining the update method. This method gets called whenever the User receives an update from the ChatRoom, demonstrating how users can act as observers, responding to new messages posted in the chat room.

Observer Pattern: The ChatRoom Struct

Our ChatRoom struct acts as the subject, managing observers:

Rust
1use std::collections::HashMap; 2 3pub struct ChatRoom { 4 observers: HashMap<String, Box<dyn Observer>>, 5} 6 7impl ChatRoom { 8 pub fn new() -> Self { 9 ChatRoom { 10 observers: HashMap::new(), 11 } 12 } 13 14 pub fn attach(&mut self, id: String, observer: Box<dyn Observer>) { 15 self.observers.insert(id, observer); 16 } 17 18 pub fn detach(&mut self, id: &str) { 19 self.observers.remove(id); 20 } 21 22 pub fn send_message(&self, message: &str) { 23 self.display(message); 24 self.notify(message); 25 } 26 27 fn display(&self, message: &str) { 28 println!("ChatRoom displays: {}", message); 29 } 30 31 fn notify(&self, message: &str) { 32 for observer in self.observers.values() { 33 observer.update(message); 34 } 35 } 36}

In this implementation, ChatRoom maintains a list of observers in a HashMap. It provides methods to attach and detach observers dynamically. When a message is sent via send_message, it displays the message and notifies all observers by calling their update methods. This demonstrates how the ChatRoom acts as the subject in the Observer pattern, notifying users of new messages.

Command Pattern: The Command Trait

The Command trait in Rust encapsulates actions and promotes the separation of invocation from execution:

Rust
1pub trait Command { 2 fn execute(&self, chat_room: &mut ChatRoom); 3}

This pattern facilitates encapsulating and executing user actions effectively. By defining the execute method, we ensure that all concrete commands can be executed in a uniform manner.

Command Pattern: The SendMessageCommand Struct

Next, we use a concrete struct to implement the Command trait:

Rust
1use crate::chat_room::ChatRoom; 2use crate::message_processing::MessageProcessor; 3 4pub struct SendMessageCommand { 5 message: String, 6 processor: Box<dyn MessageProcessor>, 7} 8 9impl SendMessageCommand { 10 pub fn new(message: String, processor: Box<dyn MessageProcessor>) -> Self { 11 SendMessageCommand { message, processor } 12 } 13} 14 15impl Command for SendMessageCommand { 16 fn execute(&self, chat_room: &mut ChatRoom) { 17 let processed_message = self.processor.process_message(&self.message); 18 chat_room.send_message(&processed_message); 19 } 20}

The SendMessageCommand struct holds a message and a processor. When execute is called, it processes the message using the provided MessageProcessor and sends it to the ChatRoom. This encapsulates the action of sending a message, adhering to the Command pattern's principles.

Putting It All Together

Finally, we bring all patterns together:

Rust
1fn main() { 2 let mut chat_room = ChatRoom::new(); 3 4 // Create and attach observers with unique IDs 5 chat_room.attach("alice_id".to_string(), Box::new(User::new("Alice"))); 6 chat_room.attach("bob_id".to_string(), Box::new(User::new("Bob"))); 7 8 // Create commands 9 let commands: Vec<Box<dyn Command>> = vec![ 10 Box::new(SendMessageCommand::new( 11 "Hello, everyone!".to_string(), 12 Box::new(EncryptedProcessor), 13 )), 14 ]; 15 16 // Execute commands 17 for command in commands { 18 command.execute(&mut chat_room); 19 } 20 21 // Detach Bob 22 chat_room.detach("bob_id"); 23 24 // Send another message 25 let another_command = Box::new(SendMessageCommand::new( 26 "Bob has left the chat.".to_string(), 27 Box::new(PlainTextProcessor), 28 )); 29 another_command.execute(&mut chat_room); 30}

In this main function:

  • We create a new ChatRoom instance.
  • We attach User observers (Alice and Bob) to the ChatRoom.
  • We create a list of commands, in this case, a SendMessageCommand that sends an encrypted message.
  • We execute the commands, which process and send the messages to the chat room.
  • We detach Bob from the chat room.
  • We send another message using a PlainTextProcessor.

This integration demonstrates the cohesiveness and power of combining Rust's behavioral design patterns into an interactive application. The Command pattern manages actions, the Observer pattern handles the subscribers, and the Strategy pattern allows dynamic selection of message processing algorithms.

Conclusion

By effectively integrating the Command, Observer, and Strategy patterns, we crafted a flexible and maintainable chat application in Rust. These patterns, combined with Rust's powerful features, allow us to build scalable solutions that are efficient and robust. Through this lesson, you have witnessed how design patterns can simplify design and improve software robustness. Keep experimenting with Rust to strengthen your pattern-based design skills! 🦀

Enjoy this lesson? Now it's time to practice with Cosmo!
Practice is how you turn knowledge into actual skills.