|
| 1 | +/** |
| 2 | + * EN: Real World Example for the Mediator design pattern |
| 3 | + * |
| 4 | + * Need: To have a messaging application to notify groups of people. Users |
| 5 | + * should not know about each other. |
| 6 | + * |
| 7 | + * Solution: Create a mediator to manage subscriptions and messages |
| 8 | + */ |
| 9 | + |
| 10 | +/** |
| 11 | + * EN: Extending the Mediator interface to have a payload to include messages |
| 12 | + */ |
| 13 | +interface Mediator { |
| 14 | + notify(sender: object, event: string, payload?: string): void; |
| 15 | +} |
| 16 | + |
| 17 | +/** |
| 18 | + * EN: The user plays the role of the independent component. It has an |
| 19 | + * instance of the mediator. |
| 20 | + */ |
| 21 | +class User { |
| 22 | + constructor(public name: string, private mediator: Mediator) { |
| 23 | + this.mediator.notify(this, 'subscribe'); |
| 24 | + } |
| 25 | + |
| 26 | + receiveMessage(message: string) { |
| 27 | + console.log(`Message received by ${this.name}: ${message}`); |
| 28 | + } |
| 29 | + |
| 30 | + publishMessage(message: string) { |
| 31 | + this.mediator.notify(this, 'publish', message); |
| 32 | + } |
| 33 | +} |
| 34 | + |
| 35 | +/** |
| 36 | + * EN: The app is the concrete Mediator and implements all the events that |
| 37 | + * collaborators can notify: subscribe and publish |
| 38 | + */ |
| 39 | +class ChatAppMediator implements Mediator { |
| 40 | + private users: User[] = []; |
| 41 | + |
| 42 | + public notify(sender: object, event: string, payload?: string): void { |
| 43 | + if (event === 'subscribe') { |
| 44 | + const user = sender as User; |
| 45 | + console.log(`Subscribing ${user.name}`); |
| 46 | + this.users.push(user); |
| 47 | + } |
| 48 | + |
| 49 | + if (event === 'publish') { |
| 50 | + console.log(`Publishing message "${payload}" to the group`); |
| 51 | + const usersExcludingSender = this.users.filter(u => u !== sender); |
| 52 | + for (const user of usersExcludingSender) { |
| 53 | + user.receiveMessage(payload); |
| 54 | + } |
| 55 | + } |
| 56 | + } |
| 57 | +} |
| 58 | + |
| 59 | +/** |
| 60 | + * EN: The client code. Creating a user automatically subscribes them to the |
| 61 | + * group. |
| 62 | + */ |
| 63 | +const chatAppMediator = new ChatAppMediator(); |
| 64 | +const user1 = new User('Lightning', chatAppMediator); |
| 65 | +const user2 = new User('Doc', chatAppMediator); |
| 66 | +const user3 = new User('Mater', chatAppMediator); |
| 67 | + |
| 68 | +user1.publishMessage('Catchaw'); |
| 69 | +user2.publishMessage('Ey kid'); |
| 70 | +user3.publishMessage('Tomato'); |
0 commit comments