Skip to main content

Understanding the Command Design Pattern in C#

 

The Command design pattern is a behavioral pattern that turns a request into a stand-alone object that contains all information about the request. This transformation allows for parameterizing methods with different requests, queuing or logging requests, and supporting undoable operations.

Understanding the State Design Pattern in C#

Let's consider a scenario with a text editor application that supports basic text operations like writing text and undoing the last operation.

Example without Command Design Pattern

using System;

namespace WithoutCommandPattern
{
    class TextEditor
    {
        public string Text { get; private set; } = "";

        public void Write(string text)
        {
            Text += text;
            Console.WriteLine($"Text after write: {Text}");
        }

        public void UndoWrite(string text)
        {
            if (Text.EndsWith(text))
            {
                Text = Text.Substring(0, Text.Length - text.Length);
                Console.WriteLine($"Text after undo: {Text}");
            }
        }
    }

    class Program
    {
        static void Main(string[] args)
        {
            TextEditor editor = new TextEditor();

            // Write operations
            editor.Write("Hello ");
            editor.Write("World!");

            // Undo operations
            editor.UndoWrite("World!");
            editor.UndoWrite("Hello ");
        }
    }
}

Problems in the Non-Pattern Approach

  1. Tight Coupling: The Program class is tightly coupled with the TextEditor class's methods. Any change in the method signature or behavior of TextEditor requires changes in the Program class.

  2. Scalability: If more operations need to be added (e.g., redo, cut, paste), the Program class will become cluttered with logic for these operations. Managing a complex series of operations and their undo functionality becomes cumbersome.

  3. Lack of Abstraction: The operations are directly called on the TextEditor object. There's no abstraction for the actions (write, undo), making it harder to extend or modify behavior without changing the calling code.

  4. Command History: There's no built-in mechanism to keep a history of executed commands. Implementing a command history manually within Program would be error-prone and cumbersome.
How Command Pattern Solves These Problems
  1. Decoupling: The Command Pattern decouples the invoker (Program/TextEditorInvoker) from the receiver (TextEditor). The invoker only knows about the ICommand interface, making it easier to modify the receiver's methods without affecting the invoker.

  2. Scalability: New commands can be added by implementing the ICommand interface. This approach keeps the Program and TextEditorInvoker classes clean and focused on command execution and management rather than the details of each operation.

  3. Abstraction: The ICommand interface abstracts the actions, allowing for more flexible and maintainable code. This abstraction makes it easier to change the implementation of an action without modifying the client code.

  4. Command History: The invoker maintains a stack of executed commands, enabling easy implementation of undo functionality. This built-in history management is cleaner and less error-prone.

Revisited Code with Command Pattern

Here is how we can implement this pattern:

using System;
using System.Collections.Generic;

namespace CommandPattern
{
    // Command interface
    interface ICommand
    {
        void Execute();
        void Unexecute();
    }

    // Receiver class
    class TextEditor
    {
        public string Text { get; private set; } = "";

        public void Write(string text)
        {
            Text += text;
            Console.WriteLine($"Text after write: {Text}");
        }

        public void UndoWrite(string text)
        {
            if (Text.EndsWith(text))
            {
                Text = Text.Substring(0, Text.Length - text.Length);
                Console.WriteLine($"Text after undo: {Text}");
            }
        }
    }

    // Concrete command for writing text
    class WriteCommand : ICommand
    {
        private readonly TextEditor _editor;
        private readonly string _text;

        public WriteCommand(TextEditor editor, string text)
        {
            _editor = editor;
            _text = text;
        }

        public void Execute()
        {
            _editor.Write(_text);
        }

        public void Unexecute()
        {
            _editor.UndoWrite(_text);
        }
    }

    // Invoker class
    class TextEditorInvoker
    {
        private readonly Stack<ICommand> _commands = new Stack<ICommand>();

        public void ExecuteCommand(ICommand command)
        {
            command.Execute();
            _commands.Push(command);
        }

        public void Undo()
        {
            if (_commands.Count > 0)
            {
                ICommand command = _commands.Pop();
                command.Unexecute();
            }
            else
            {
                Console.WriteLine("No commands to undo.");
            }
        }
    }

    class Program
    {
        static void Main(string[] args)
        {
            TextEditor editor = new TextEditor();
            TextEditorInvoker invoker = new TextEditorInvoker();

            ICommand writeHello = new WriteCommand(editor, "Hello ");
            ICommand writeWorld = new WriteCommand(editor, "World!");

            invoker.ExecuteCommand(writeHello);
            invoker.ExecuteCommand(writeWorld);

            invoker.Undo(); // Should undo "World!"
            invoker.Undo(); // Should undo "Hello "
            invoker.Undo(); // No commands to undo
        }
    }
}

Why Can't We Use Other Design Patterns Instead?

  • Strategy Pattern: The Strategy pattern defines a family of algorithms and allows the client to choose which algorithm to use. It does not encapsulate the request and its parameters.

  • State Pattern: The State pattern allows an object to alter its behavior when its internal state changes. It is more suitable for managing state transitions rather than encapsulating requests.

  • Observer Pattern: The Observer pattern defines a one-to-many dependency between objects, where one object notifies its dependents of state changes. It is not designed for encapsulating requests and operations.

Steps to Identify Use Cases for the Command Pattern

  1. Encapsulation of Requests: Identify scenarios where requests need to be encapsulated as objects.

  2. Undo/Redo Functionality: Ensure that the operations require undo and redo functionality.

  3. Parameterization and Queuing: Consider the Command pattern when requests need to be parameterized and queued.

  4. Decoupling Sender and Receiver: Use the Command pattern to decouple the sender of a request from the object that performs the request.

By following these steps and implementing the Command pattern, you can achieve encapsulated requests, support for undo and redo operations, and decoupling of senders and receivers, improving flexibility and maintainability in your system.

Comments

Popular posts from this blog

C# : How can we access private method outside class

Introduction In object-oriented programming, encapsulation is a fundamental principle that restricts direct access to the internal implementation details of a class. Private methods, being part of this internal implementation, are designed to be accessible only within the confines of the class they belong to. However, there might be scenarios where you need to access a private method from outside the class. In this blog post, we'll explore several techniques to achieve this in C#. 1. Reflection: A Powerful Yet Delicate Approach Reflection is a mechanism in C# that allows inspecting and interacting with metadata about types, fields, properties, and methods. While it provides a way to access private methods, it should be used cautiously due to its potential impact on maintainability and performance. using System ; using System . Reflection ; public class MyClass { private void PrivateMethod ( ) { Console . WriteLine ( "This is a private method."

C# : Understanding Types of Classes

In C#, classes serve as the building blocks of object-oriented programming, providing a blueprint for creating objects. Understanding the types of classes and their applications is crucial for designing robust and maintainable software. In this blog, we’ll delve into various types of classes in C#, accompanied by real-world scenarios and code snippets for a practical understanding. 1. Regular (Instance) Classes Definition: Regular classes are the most common type and are used to create instances or objects. They can contain fields, properties, methods, and other members. Example Scenario: A Person class representing individual persons with properties like Name and Age. public class Person { public string Name { get ; set ; } public int Age { get ; set ; } } 2. Static Classes Definition: A static class cannot be instantiated and can only contain static members (methods, properties, fields). It’s often used for utility functions. Example Scenario: A MathUtility cla

C# : 12.0 : Primary constructor

Introduction In C# 12.0, the introduction of the "Primary Constructor" simplifies the constructor declaration process. Before delving into this concept, let's revisit constructors. A constructor is a special method in a class with the same name as the class itself. It's possible to have multiple constructors through a technique called constructor overloading.  By default, if no constructors are explicitly defined, the C# compiler generates a default constructor for each class. Now, in C# 12.0, the term "Primary Constructor" refers to a more streamlined way of declaring constructors. This feature enhances the clarity and conciseness of constructor declarations in C# code. Lets see an simple example code, which will be known to everyone. public class Version { private int _value ; private string _name ; public Version ( int value , string name ) { _name = name ; _value = value ; } public string Ve