Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

Command pattern

From Wikipedia, the free encyclopedia
Behavioral design pattern
This article includes alist of references,related reading, orexternal links,but its sources remain unclear because it lacksinline citations. Please helpimprove this article byintroducing more precise citations.(December 2012) (Learn how and when to remove this message)

Inobject-oriented programming, thecommand pattern is abehavioraldesign pattern in which an object is used toencapsulate all information needed to perform an action or trigger an event at a later time. This information includes the method name, the object that owns the method and values for the method parameters.

Four terms always associated with the command pattern arecommand,receiver,invoker andclient. Acommand object knows aboutreceiver and invokes a method of the receiver. Values for parameters of the receiver method are stored in the command. The receiver object to execute these methods is also stored in the command object byaggregation. Thereceiver then does the work when theexecute() method incommand is called. Aninvoker object knows how to execute a command, and optionally does bookkeeping about the command execution. The invoker does not know anything about a concrete command, it knows only about the commandinterface. Invoker object(s), command objects and receiver objects are held by aclient object. Theclient decides which receiver objects it assigns to the command objects, and which commands it assigns to the invoker. The client decides which commands to execute at which points. To execute a command, it passes the command object to the invoker object.

Using command objects makes it easier to construct general components that need to delegate, sequence or execute method calls at a time of their choosing without the need to know the class of the method or the method parameters. Using an invoker object allows bookkeeping about command executions to be conveniently performed, as well as implementing different modes for commands, which are managed by the invoker object, without the need for the client to be aware of the existence of bookkeeping or modes.

The central ideas of this design pattern closely mirror the semantics offirst-class functions andhigher-order functions infunctional programming languages. Specifically, the invoker object is a higher-order function of which the command object is a first-class argument.

Overview

[edit]

The command[1]design pattern is one of the twenty-three well-knownGoF design patterns that describe how to solve recurring design problems to design flexible and reusable object-oriented software, that is, objects that are easier to implement, change, test, and reuse.

Using the command design pattern can solve these problems:[2]

  • Coupling the invoker of a request to a particular request should be avoided. That is, hard-wired requests should be avoided.
  • It should be possible to configure an object (that invokes a request) with a request.

Implementing (hard-wiring) a request directly into a class is inflexible because it couples the class to a particular request at compile-time, which makes it impossible to specify a request at run-time.

Using the command design pattern describes the following solution:

  • Define separate (command) objects that encapsulate a request.
  • A class delegates a request to a command object instead of implementing a particular request directly.

This enables one to configure a class with a command object that is used to perform a request. The class is no longer coupled to a particular request and has no knowledge (is independent) of how the request is carried out.

See also the UML class and sequence diagram below.

Structure

[edit]

UML class and sequence diagram

[edit]
A sample UML class and sequence diagram for the Command design pattern.[3]

In the aboveUMLclass diagram, theInvoker class doesn't implement a request directly.Instead,Invoker refers to theCommand interface to perform a request (command.execute()), which makes theInvoker independent of how the request is performed.TheCommand1 class implements theCommand interface by performing an action on a receiver (receiver1.action1()).

TheUMLsequence diagramshows the run-time interactions: TheInvoker object callsexecute() on aCommand1 object.Command1 callsaction1() on aReceiver1 object,which performs the request.

UML class diagram

[edit]
UML diagram of the command pattern

Uses

[edit]
GUI buttons and menu items
InSwing andBorlandDelphi programming, anAction is a command object. In addition to the ability to perform the desired command, anAction may have an associated icon,keyboard shortcut,tooltip text, and so on. A toolbar button or menu item component may be completely initialized using only theAction object.
Macro recording
If all user actions are represented by command objects, a program can record a sequence of actions simply by keeping a list of the command objects as they are executed. It can then "play back" the same actions by executing the same command objects again in sequence. If the program embeds a scripting engine, each command object can implement atoScript() method, and user actions can then be easily recorded as scripts.
Mobile code
Using languages such as Java where code can be streamed/slurped from one location to another via URLClassloaders and Codebases the commands can enable new behavior to be delivered to remote locations (EJB Command, Master Worker).
Multi-levelundo
If all user actions in a program are implemented as command objects, the program can keep a stack of the most recently executed commands. When the user wants to undo a command, the program simply pops the most recent command object and executes itsundo() method.
Networking
It is possible to send whole command objects across the network to be executed on the other machines, for example player actions in computer games.
Parallel processing
Where the commands are written as tasks to a shared resource and executed by many threads in parallel (possibly on remote machines; this variant is often referred to as the Master/Worker pattern)
Progress bars
Suppose a program has a sequence of commands that it executes in order. If each command object has agetEstimatedDuration() method, the program can easily estimate the total duration. It can show a progress bar that meaningfully reflects how close the program is to completing all the tasks.
Thread pools
A typical, general-purpose thread pool class might have a publicaddTask() method that adds a work item to an internal queue of tasks waiting to be done. It maintains a pool of threads that execute commands from the queue. The items in the queue are command objects. Typically these objects implement a common interface such asjava.lang.Runnable that allows the thread pool to execute the command even though the thread pool class itself was written without any knowledge of the specific tasks for which it would be used.
Transactional behavior
Similar to undo, adatabase engine or software installer may keep a list of operations that have been or will be performed. Should one of them fail, all others can be reversed or discarded (usually calledrollback). For example, if two database tables that refer to each other must be updated, and the second update fails, the transaction can be rolled back, so that the first table does not now contain an invalid reference.
Wizards
Often a wizard presents several pages of configuration for a single action that happens only when the user clicks the "Finish" button on the last page. In these cases, a natural way to separate user interface code from application code is to implement the wizard using a command object. The command object is created when the wizard is first displayed. Each wizard page stores its GUI changes in the command object, so the object is populated as the user progresses. "Finish" simply triggers a call toexecute(). This way, the command class will work.

Example

[edit]

This C++23 implementation is based on the pre C++98 implementation in the book.

importstd;usingstd::shared_ptr;usingstd::unique_ptr;// Abstract commandclassCommand{protected:Command()=default;public:// declares an interface for executing an operation.virtualvoidexecute()=0;virtual~Command()=default;};// Concrete commandtemplate<typenameReceiver>classSimpleCommand:publicCommand{private:Receiver*receiver;Actionaction;public:usingAction=void(Receiver::*)();// defines a binding between a Receiver object and an action.SimpleCommand(shared_ptr<Receiver>receiver,Actionaction):receiver{receiver.get()},action{action}{}SimpleCommand(constSimpleCommand&)=delete;constSimpleCommand&operator=(constSimpleCommand&)=delete;// implements execute by invoking the corresponding operation(s) on Receiver.virtualvoidexecute(){(receiver->*action)();}};// ReceiverclassMyClass{public:// knows how to perform the operations associated with carrying out a request. Any class may serve as a Receiver.voidaction(){std::println("MyClass::action called");}};intmain(intargc,char*argv[]){shared_ptr<MyClass>receiver=std::make_shared<MyClass>();// ...unique_ptr<Command>command=std::make_unique<SimpleCommand<MyClass>>(receiver,&MyClass::action);// ...command->execute();}

The program output is

MyClass::actioncalled

See also

[edit]

History

[edit]

The first published mention of using a Command class to implement interactive systems seems to be a 1985 article by Henry Lieberman.[4] The first published description of a (multiple-level) undo-redo mechanism, using a Command class withexecute andundo methods, and a history list, appears to be the first (1988) edition ofBertrand Meyer's bookObject-oriented Software Construction,[5] section 12.2.

References

[edit]
  1. ^Erich Gamma; Richard Helm; Ralph Johnson; John Vlissides (1994).Design Patterns: Elements of Reusable Object-Oriented Software. Addison Wesley. pp. 233ff.ISBN 0-201-63361-2.
  2. ^"The Command design pattern - Problem, Solution, and Applicability".w3sDesign.com. Archived fromthe original on 2020-09-23. Retrieved2017-08-12.
  3. ^"The Command design pattern - Structure and Collaboration".w3sDesign.com. Archived fromthe original on September 23, 2020. Retrieved2017-08-12.
  4. ^Lieberman, Henry (1985). "There's more to menu systems than meets the screen".ACM SIGGRAPH Computer Graphics.19 (3):181–189.doi:10.1145/325165.325235.
  5. ^Meyer, Bertrand (1988).Object-Oriented Software Construction (1st ed.). Prentice-Hall.Bibcode:1988oosc.book.....M.

External links

[edit]
Wikimedia Commons has media related toCommand pattern.
Gang of Four
patterns
Creational
Structural
Behavioral
Concurrency
patterns
Architectural
patterns
Other
patterns
Books
People
Communities
See also
Retrieved from "https://en.wikipedia.org/w/index.php?title=Command_pattern&oldid=1319501666"
Category:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp