Implementing the Mediator pattern with Python
The Mediator pattern is used to decouple the complex relationship between multiple objects, and coordinate the communication between various objects by introducing a mediation object. In Python, you can use the characteristics of classes and objects to implement the Mediator pattern.
The following is a simple example code of the Mediator pattern:
python
class Mediator:
def __init__(self):
self.colleague1 = Colleague1(self)
self.colleague2 = Colleague2(self)
def notify(self, colleague, message):
if colleague == self.colleague1:
self.colleague2.receive(message)
elif colleague == self.colleague2:
self.colleague1.receive(message)
class Colleague1:
def __init__(self, mediator):
self.mediator = mediator
def send(self, message):
self.mediator.notify(self, message)
def receive(self, message):
print(f"Colleague1 received: {message}")
class Colleague2:
def __init__(self, mediator):
self.mediator = mediator
def send(self, message):
self.mediator.notify(self, message)
def receive(self, message):
print(f"Colleague2 received: {message}")
mediator = Mediator()
colleague1 = Colleague1(mediator)
colleague2 = Colleague2(mediator)
colleague1.send("Hello from Colleague1")
colleague2.send("Hi from Colleague2")
In this example code, the 'Mediator' class acts as a mediator, maintaining references to various colleague objects` Colleague1 'and' Colleague2 'are two specific colleague classes that hold references to intermediary objects, respectively.
When a colleague object sends a message, it calls the mediator's' notify 'method and passes in itself and the message content. The intermediary makes logical judgments based on different colleague objects and decides to pass the message on to other colleague objects. The 'receive' method of the colleague object is used to receive messages and process them.
At the end of the sample code, a mediator object and two colleague objects were created. Send messages to intermediaries by calling the 'send' method, and output the received messages on the console.
This example is just a simple implementation of the Mediator pattern, which may be more complex in the actual scenario. According to actual needs, adjustments can be made based on the degree of encapsulation and usage of intermediary objects.