Click here to Skip to main content
65,938 articles
CodeProject is changing. Read more.
Articles / Languages / C#

Ordering Data in LINQ Queries by More Than One Column

4.93/5 (12 votes)
9 Aug 2011CPOL 119.7K  
How to do ordering when you require to order data by using multiple columns

In this post, I am going to show how to do ordering when you require to order data by using multiple columns.

By using .Orderby(x=>x.Columnname) in a LINQ query, we can easily order data in a source collection. Most new developers make use of the same function twice .Orderby(x=>x.Columnname).Orderby(x=>x.Columnname) and think that will do the ordering in multiple columns.

C#
IEnumerable<Employee> emp = dc.Employees
                                 .OrderBy(x => x.Name)
                                 .OrderBy(x => x.Desc);

But it always does the order by the column you specified in the last OrderBy() method.

Following are two solutions to achieve:

Solution 1

Always make use of ThenBy() after OrderBy() because OrderBy() returns an IOrderedEnumerable which then exposes the methods ThenBy() and ThenByDescending(). This means that we can OrderBy on multiple fields by chaining OrderBy() and ThenBy() together.

C#
IEnumerable<Employee> emp = dc.Employees
                                  .OrderByx => x.Name)
                                  .ThenBy((x => x.Desc); 

Solution 2

If you don't want to go for Lambda expression, you can easily achieve multiple ordering:

C#
var emp = from e in dc.Employees
          orderby e.Name, e.Desc
          select e;

As you can see, in the above statement, after order by, you can add multiple columns and do the ordering on the multiple columns.

License

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