//Define the Colleague Objects.

//The Colleague class (object) represents the person who either sends or receives messages through the mediator.
//Each instance of the Colleague class (object) will register itself with the Mediator class (object) using the SignOn() method.
//Messages will be send by invoking the Send() method on the Mediator class (object).
public class Colleague
{
protected Mediator Mediator;
protected string Name;

public Colleague(Mediator mediator, string name)
{
Mediator = mediator;
mediator.SignOn(Receive);
Name = name;
}

public virtual void Receive(string message, string from)
{
if (!string.Equals(from, Name))
{
Console.WriteLine("Colleague {0} received from {1}: {2}", Name, from, message);
}
}

public void Send(string message)
{
Console.WriteLine("Colleague Send (From {0}): {1}", Name, message);
Mediator.Send(message, Name);
}
}

//The ColleagueB class (object) is essentially another version of the Colleague class (object) and represents the person who either sends or receives messages through the mediator.
public class ColleagueB : Colleague
{
public ColleagueB(Mediator mediator, string name) : base(mediator, name)
{
}

public override void Receive(string message, string from)
{
if (!string.Equals(from, Name))
{
Console.WriteLine("ColleagueB {0} received from {1}: {2}", Name, from, message);
}
}
}