forked from Sean-Bradley/Design-Patterns-In-Python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcommand_concept.py
83 lines (59 loc) · 2.09 KB
/
command_concept.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
"The Command Pattern Concept"
from abc import ABCMeta, abstractmethod
class ICommand(metaclass=ABCMeta): # pylint: disable=too-few-public-methods
"The command interface, that all commands will implement"
@staticmethod
@abstractmethod
def execute():
"The required execute method that all command objects will use"
class Invoker:
"The Invoker Class"
def __init__(self):
self._commands = {}
def register(self, command_name, command):
"Register commands in the Invoker"
self._commands[command_name] = command
def execute(self, command_name):
"Execute any registered commands"
if command_name in self._commands.keys():
self._commands[command_name].execute()
else:
print(f"Command [{command_name}] not recognised")
class Receiver:
"The Receiver"
@staticmethod
def run_command_1():
"A set of instructions to run"
print("Executing Command 1")
@staticmethod
def run_command_2():
"A set of instructions to run"
print("Executing Command 2")
class Command1(ICommand): # pylint: disable=too-few-public-methods
"""A Command object, that implements the ICommand interface and
runs the command on the designated receiver"""
def __init__(self, receiver):
self._receiver = receiver
def execute(self):
self._receiver.run_command_1()
class Command2(ICommand): # pylint: disable=too-few-public-methods
"""A Command object, that implements the ICommand interface and
runs the command on the designated receiver"""
def __init__(self, receiver):
self._receiver = receiver
def execute(self):
self._receiver.run_command_2()
# Create a receiver
RECEIVER = Receiver()
# Create Commands
COMMAND1 = Command1(RECEIVER)
COMMAND2 = Command2(RECEIVER)
# Register the commands with the invoker
INVOKER = Invoker()
INVOKER.register("1", COMMAND1)
INVOKER.register("2", COMMAND2)
# Execute the commands that are registered on the Invoker
INVOKER.execute("1")
INVOKER.execute("2")
INVOKER.execute("1")
INVOKER.execute("2")