Click here to Skip to main content
15,867,453 members
Articles / Programming Languages / C#

Understanding Predicate Delegates in C#

Rate me:
Please Sign up or sign in to vote.
4.77/5 (51 votes)
2 Oct 2010CPOL5 min read 207.5K   867   89   23
In this article, we will take a look into the concepts behind predicate delegates and try and understand their importance.

Introduction

NET Framework 2.0 came with the concept of Predicate Delegates, but compared to the other features of .NET, it never got the attention it deserved. It is really a powerful concept which makes it easy to write searching algorithms on collections. These are also widely used while performing filter operations on WPF object data binding. In this article, we will take a look into the concepts behind predicate delegates and try and understand their importance.

What is a predicate delegate?

A predicate delegate is a delegate with the following signature:

  • Return type - bool
  • Argument type - generic

So, a predicate delegate is a delegate which points to a boolean function that returns true or false and takes a generic type as an argument. A predicate delegate thus is a delegate which is capable of taking any custom type as an argument. This makes it quite useful because what we get as a result is a generic delegate. The bool function that it points to has logic to evaluate any condition and return true/false accordingly.

Why use a predicate delegate?

The most common use of a predicate delegate is for searching items in a collection. Because a predicate delegate is a delegate of type T or generic, it is most useful when searching items in a generic collection. It really comes handy when you have a collection with tons of items and you need to perform a search operation. Using a predicate delegate not only reduces the lines of code that needs to be written, but also increases performance of the application. These are also used while performing filter operations on IcoolectionView objects while performing data binding in WPF.

For example, create a console application and declare an Employee class. Declare these properties for the Employee class: FirstName, LastName, and Designation. See code below:

C#
class Employee
{
    private string _firstName;
    private string _lastName;
    //private int _empCode;
    private string _designation;

    public Employee()
    { }
    public Employee(string firstName, string lastName, string designation)
    {
        _firstName = firstName;
        _lastName = lastName;
        _designation = designation;
    }
    /// <summary>
    /// Property First Name
    /// </summary>
    public string FirstName
     {
        get { return _firstName; }
        set { _firstName = value; }
    }
    /// <summary>
    /// Property Last Name
    /// </summary>
    public string LastName
    {
        get { return _lastName; }
        set { _lastName = value; }
    }        
    public string Designation
    {
        get { return _designation; }
        set { _designation = value; }
    }

In the Main() method of the console application, declare three employees as below:

C#
// Declare 3 employees
Employee emp1 = new Employee("Anshu", "Dutta", "SSE");
Employee emp2 = new Employee("John", "Doe", "Manager");
Employee emp3 = new Employee("Jane", "Doe", "Assistant");

Create a generic List and put the above employees in the list:

C#
List<Employee> empList = new List<Employee> { emp1, emp2, emp3 };

We will demonstrate the use of a predicate delegate by performing a search operation on the Employee List.

Method #1 - The traditional way of doing it

Create a bool function that searches an employee first name and returns true if found:

C#
private static bool EmpSearch(Employee emp)
{
    if (emp.FirstName == "Anshu")
        return true;
    else
        return false;
}

Declare a predicate delegate pointing to that function:

C#
Predicate<Employee> pred = new Predicate<Employee>(EmpSearch);

Call the Find() method of the List<> and pass the predicate delegate as an argument:

C#
Employee emp = empList.Find(pred);

The Find() method internally iterates through each item in the list and calls the function EmpSearch, passing each item from the list as an argument one by one. When the FirstName of the employee matches the condition, the function returns true. The Find method then returns that employee object to the Employee placeholder emp. That means for each item in the list, the Find() method calls the function EmpSearch passing the items as arguments one by one. Whichever item satisfies the condition in the function is then returned.

Print the result to check:

C#
Console.WriteLine("Employee Found {0}",emp.FirstName);
Console.ReadLine();

This method has a disadvantage. What happens when we need to alter our search? We would need to create another search method and do the same thing as above. Actually, this method was just to explain things in an elaborate way. The better way of doing this is by using anonymous functions of C#.

Method #2 - Using anonymous functions

Consider the following code:

C#
emp = new Employee();
emp = empList.Find(delegate(Employee e)
{
    if (e.FirstName == "Anshu")
        return true;
    else
                return false;
});

The functionality here is the same, but instead of declaring a separate predicate delegate and manually pointing it to an external function, we use an anonymous function. The result is much less verbose in terms of lines of code. We directly invoke the anonymous function by the delegate which takes an employee object as argument.

Again, print the result to check:

C#
Console.WriteLine("Employee Found {0}", emp.FirstName);

Method #3 - Using a lambda expression

The lines of code can be further reduced by using => or lambda expressions. Lambda expressions are used to invoke delegates with much lesser lines of code. See the code snippet below:

C#
emp = new Employee();            
emp = empList.Find((e)=> {return (e.FirstName == "Anshu");});

The Find() method still takes a predicate delegate. ()=> is used to invoke a delegate with an anonymous function. Here, we need to pass an argument in the anonymous function of type Employee.

(e)=> does just that. Note that intellisense already expects an object of type Employee when typing the Lambda expression. This is because, we are performing a search operation on a generic list of type Employee, and hence the compiler expects a delegate to a bool function which will pass an argument of type Employee used for evaluating the search condition of the anonymous function. Thus we write:

C#
((e)=> {return (e.FirstName == "Anshu");}

Notice that our logic has been reduced to a single line of code.

Finally, print the result again to check:

C#
Console.WriteLine("Employee Found {0}", emp.FirstName);

The Find method here will stop searching when it encounters the first condition. So if we have two employees with the same first name, the employee listed at the top of the list will be returned.

Searching a list of employees

To search more than one result, use the FindAll() method. It is the same as the Find() method, but returns a collection of objects meeting the search condition. The below code searches all employees with J in their first name:

C#
List<Employee> employees = new List<Employee>();
employees = empList.FindAll((e) => { return (e.FirstName.Contains("J")); });

Print the result:

C#
Console.WriteLine("List of employess with J in Firstname");
foreach (Employee e in employees)
{
    Console.WriteLine("{0},{1}", e.FirstName, e.LastName);
}
Console.ReadLine();

Index search

You can also narrow down your search radius by specifying the start index and the number of items to search along with the predicate delegate that invokes the search criteria through the anonymous function. See the code below:

C#
int index = empList.FindIndex(0,2,
              (e) => { return (e.FirstName.Contains("J")); });
//print result
Console.WriteLine("Index search");
Console.WriteLine("Index returned {0}", index);

The code searches any employee with a first name containing J from the zeroth element and spanning two counts (i.e., 0, 1 for our case).

The concepts of the other methods are the same. FindLast() and FindLastIndex do the same things, but return results from the last matches rather than the first as seen above.

Summary

In this article, we took a look into the concepts behind a predicate delegate and how they can be used to implement search operations on any collection.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
Australia Australia
I am a Senior Software Developer / Technical Consultant in a leading software company.

Comments and Discussions

 
QuestionWonderful ........................ Pin
KK Kod6-May-15 12:44
KK Kod6-May-15 12:44 
QuestionJust 1 question Pin
Ckeva10-Apr-14 9:59
Ckeva10-Apr-14 9:59 
AnswerRe: Just 1 question Pin
nepdev23-Jun-15 23:39
nepdev23-Jun-15 23:39 
SuggestionNice Pin
BlackMilan4-Sep-13 5:39
BlackMilan4-Sep-13 5:39 
QuestionGood Pin
Member 995715214-Jul-13 17:46
Member 995715214-Jul-13 17:46 
GeneralMy vote of 5 Pin
PopeDarren10-Jun-13 7:45
PopeDarren10-Jun-13 7:45 
GeneralThanks! Pin
Guilherme Sonego Neto14-Apr-13 9:31
Guilherme Sonego Neto14-Apr-13 9:31 
GeneralMy vote of 5 Pin
JobyCThomas7-Feb-13 4:27
JobyCThomas7-Feb-13 4:27 
Generalnice Pin
Anup Shah (4 Years Exp. .net Development)4-Apr-12 0:13
Anup Shah (4 Years Exp. .net Development)4-Apr-12 0:13 
GeneralMy vote of 4 Pin
Rajish PV1-Apr-12 18:11
Rajish PV1-Apr-12 18:11 
QuestionJust mention it clear Pin
Assil19-Jul-11 12:21
professionalAssil19-Jul-11 12:21 
GeneralMy vote of 5 Pin
Prasenna Kannan1-Jul-11 16:40
Prasenna Kannan1-Jul-11 16:40 
Excellent article, since this article has every implementation from previous frameworks.. Congrats
Generalnice Pin
Pranay Rana22-Dec-10 1:39
professionalPranay Rana22-Dec-10 1:39 
GeneralMy vote of 5 Pin
NarendraPatil10-Nov-10 19:34
NarendraPatil10-Nov-10 19:34 
GeneralSmall point Pin
ronzulu9-Oct-10 12:24
ronzulu9-Oct-10 12:24 
GeneralMy vote of 5 Pin
Mathiyazhagan4-Oct-10 2:17
Mathiyazhagan4-Oct-10 2:17 
GeneralNice simple article Pin
shteff3-Oct-10 12:59
shteff3-Oct-10 12:59 
GeneralPredicate is not exactly what you think. [modified] Pin
ring_03-Oct-10 3:56
ring_03-Oct-10 3:56 
News[My vote of 1] Dumb article Pin
anandkj3-Oct-10 0:41
anandkj3-Oct-10 0:41 
GeneralSuggestion Pin
César de Souza2-Oct-10 19:44
professionalCésar de Souza2-Oct-10 19:44 
GeneralRe: Suggestion Pin
Riz Thon4-Oct-10 15:32
Riz Thon4-Oct-10 15:32 
GeneralMy vote of 5 Pin
Member 37536102-Oct-10 13:30
Member 37536102-Oct-10 13:30 
GeneralMy vote of 5 Pin
Eric Xue (brokensnow)2-Oct-10 13:04
Eric Xue (brokensnow)2-Oct-10 13:04 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.