1
0
Fork 0
mirror of https://github.com/tmrts/go-patterns.git synced 2025-04-03 13:13:34 +03:00

Implement behavioral pattern

Signed-off-by: kirecek <erikjankovic@gmail.com>
This commit is contained in:
kirecek 2018-03-03 14:41:36 +01:00
parent 34ffe46116
commit d96adc0b6d
No known key found for this signature in database
GPG key ID: 136030F98E9F7A09

106
behavioral/command.md Normal file
View file

@ -0,0 +1,106 @@
# Command pattern
The [command pattern](https://en.wikipedia.org/wiki/Command_pattern) encapsulates all information needed to perform an action or event trigger at later time.
```
+-----------------+
| command |
+-----------------+
| execute() |
+------^----------+
v
|
|
|
+------------------+ |
| receiver | |
+--------+ +------------------+ +------+---------------+
| client +-------->| action() |<------+ concreteCommand |
| | +------------------+ +----------------------+
| | | state |
| | +----------------------+ +---------------------+
| +----------------------------------->| execute() 0-----------------+ receiver.action() |
+--------+ +----------------------+ +---------------------+
```
## Implementation
### Receiver
Recevier works when **command's** execute method is called.
```go
type receiver interface {
action(string)
}
type concreteReceiver struct{}
func (c *concreteReceiver) action(m string) {
fmt.Println(m)
}
```
### Command
Command knows about receiver and invokes it's action method.
```go
type command interface {
execute()
}
type concreteCommand struct {
r receiver
}
func (c *concreteCommand) execute() {
c.r.action("do action.")
}
```
### Invoker
Invoker knows and to execute given command which is pushed to history of commands.
```go
type invoker interface {
execute(command)
}
type concreteInvoker struct {
history []command
}
func (c *concreteInvoker) execute(cmd command) {
c.history = append(c.history, cmd)
cmd.execute()
}
```
### Client
Client desides which command it should execute at which points. To execute a command it passes one to invoker object.
```go
type client struct {
inv invoker
// commands available for client
sampleCommand *concreteCommand
}
func newClient() *client {
c := &client{}
c.inv = &concreteInvoker{}
c.sampleCommand = &concreteCommand{&concreteReceiver{}}
return c
}
func (c *client) do() {
// execute command by client. Could have multiple conditions to deside which command to execute.
c.inv.execute(c.sampleCommand)
}
```