Delegates are like function pointers in C#. They are used to define method signatures and can point to any method that matches that signature. This allows for flexibility in executing methods.
Here’s a simple example:
// Step 1: Declare a delegate
public delegate void Notify();
// Step 2: Create a class that uses the delegate
public class ProcessBusinessLogic
{
public Notify OnProcessCompleted;
public void StartProcess()
{
Console.WriteLine("Process Started!");
// Simulating some process work
Thread.Sleep(2000);
// Notify that the process is completed
OnProcessCompleted?.Invoke();
}
}
// Step 3: Subscribe to the delegate and use it
public class Program
{
public static void Main(string[] args)
{
ProcessBusinessLogic bl = new ProcessBusinessLogic();
bl.OnProcessCompleted += Bl_OnProcessCompleted;
bl.StartProcess();
}
private static void Bl_OnProcessCompleted()
{
Console.WriteLine("Process Completed!");
}
}
Notify
that does not take any parameters and does not return a value.ProcessBusinessLogic
contains a delegate instance OnProcessCompleted
and a method StartProcess
that simulates a process.OnProcessCompleted
to notify subscribers that the process is complete.Main
method, we create an instance of ProcessBusinessLogic
, subscribe to the OnProcessCompleted
event, and start the process.Events are built on top of delegates and provide a way for a class to notify other classes or objects when something of interest occurs. Events follow the publisher-subscriber model.
Here’s how you can use events in C#:
// Step 1: Define a delegate
public delegate void ProcessCompletedEventHandler(object sender, EventArgs e);
// Step 2: Create a class that uses the event
public class BusinessLogic
{
public event ProcessCompletedEventHandler ProcessCompleted;
public void StartProcess()
{
Console.WriteLine("Process Started!");
Thread.Sleep(2000);
// Raise the event
OnProcessCompleted();
}
protected virtual void OnProcessCompleted()
{
ProcessCompleted?.Invoke(this, EventArgs.Empty);
}
}
// Step 3: Subscribe to the event
public class Program
{
public static void Main(string[] args)
{
BusinessLogic bl = new BusinessLogic();
bl.ProcessCompleted += Bl_ProcessCompleted;
bl.StartProcess();
}
private static void Bl_ProcessCompleted(object sender, EventArgs e)
{
Console.WriteLine("Process Completed Event Triggered!");
}
}
ProcessCompletedEventHandler
that takes two parameters: sender
and EventArgs
.BusinessLogic
contains an event ProcessCompleted
that uses our delegate.OnProcessCompleted
raises the event and notifies all subscribers.Main
method, we subscribe to the ProcessCompleted
event and define what happens when the event is triggered.Delegates and events are powerful features in C# that help you create flexible and maintainable code. By understanding how to use them effectively, you can build applications that respond to various actions and changes in state. Try implementing these examples in your own projects to see how they can enhance your coding experience!